Given a linked list, return the node where the cycle begins. If there is no cycle, return null
.
Note: Do not modify the linked list.
Follow up:
Can you solve it without using extra space?
Subscribe to see which companies asked this question
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
ListNode *detectCycle(ListNode *head) {
if(head == NULL) return NULL;
ListNode *p = head;
ListNode *q = head;
if(p->next == NULL ||p->next->next == NULL) return NULL;
p = head->next;
q = p->next;
while(1)
{
if(p == q) break;
if(p->next == NULL) return NULL;
p = p->next;
if(q->next == NULL) return NULL;
q = q->next;
if(q->next == NULL) return NULL;
q = q->next;
}
ListNode *r = head;
while(r->next != NULL && p->next != NULL && p != r)
{
r = r->next;
p = p->next;
}
//cout<<r->val<<endl;
return r;
}
};