题目描述
- Given a linked list, return the node where the cycle begins. If there is no cycle, return null.
- 翻译:给定链表,返回循环开始的节点。 如果没有循环,则返回null。
分析
- 先使用快慢指针,确定链表是否存在环,并且确定快指针和慢指针相等的节点。
- 利用一个指针从头节点开始向后移动,慢指针从当前位置开始向后移动,当慢指针的next为指针时停止即可。
/**
* 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==nullptr || head->next==nullptr)
return nullptr;
ListNode *low=head;
ListNode *fast=head->next;
while(fast!=nullptr && fast->next!=nullptr && low!=fast){
low=low->next;
fast=fast->next->next;
}
if(fast==nullptr || fast->next==nullptr)
return nullptr;
ListNode *cur=head;
while(low->next!=cur){
cur=cur->next;
low=low->next;
}
return cur;
}
};