环的入口结点为:从快慢指针第一次在环中相遇的结点、链表头结点分别出发,每次走一步,直到相遇时的结点。注意while的判断条件fast->next、fast->next->next。
/*
struct ListNode {
int val;
struct ListNode *next;
ListNode(int x) :
val(x), next(NULL) {
}
};
*/
class Solution {
public:
ListNode* EntryNodeOfLoop(ListNode* pHead) {
ListNode* slow=pHead;
ListNode* fast=pHead;
while(fast->next!=nullptr && fast->next->next!=nullptr){
slow=slow->next;
fast=fast->next->next;
if(slow==fast){
ListNode* index=pHead;
while(slow!=index){
slow=slow->next;
index=index->next;
}
return index;
}
}
return nullptr;
}
};