剑指offer第55题:链表中环的入口结点
题目描述
链表中环的入口结点
给一个链表,若其中包含环,请找出该链表的环的入口结点,否则,输出null。
源码
/*
struct ListNode {
int val;
struct ListNode *next;
ListNode(int x) :
val(x), next(NULL) {
}
};
*/
class Solution {
public:
ListNode* EntryNodeOfLoop(ListNode* pHead)
{
if(pHead->next==NULL ||pHead->next->next == NULL) return NULL;
ListNode* pfast = pHead->next->next;
ListNode* pslow = pHead->next;
while(pfast!= pslow)
{
if(pfast->next == NULL || pfast->next->next== NULL) return NULL;
else
{
pfast = pfast->next->next;
pslow = pslow->next;
}
}
//在相遇后,pfast指向pHead,pslow在相遇点。
pfast = pHead;
while(pfast!=pslow)
{
pfast=pfast->next;
pslow=pslow->next;
}
return pfast;
}
};