和上一题一样的两种思路。
栈那个不用说,双指针这个还是改了不少的。
要找到一点规则就是两个指针相遇时slow遍历完循环环走的步数等于head距离环开头的步数。
列一下方程:设环长c,头节点至环开头h,直到相遇,slow走了x,fast走了y。
y=2*x(由快慢指针)
y-x=c(相遇)
就可以得知x=c,x到环开头的距离为c-h,也就是要再向前走h步。
/**
* 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) {
ListNode* slow=head;
ListNode* fast=head;
while(fast!=nullptr&&fast->next!=nullptr){
slow=slow->next;
fast=fast->next->next;
if(slow==fast){
while(head!=nullptr){
if(head==slow) return head;
slow=slow->next;
head=head->next;
}
}
}
return nullptr;
}
};