Given a linked list, determine if it has a cycle in it.
Follow up: Can you solve it without using extra space?
判断链表中是否存在环,
通常的想法是用一个map或者set记录出现过的点,然而这题不让使用额外的空间。
所以可以使用快慢指针,只要存在环,那么快指针迟早会追尾慢指针
代码语言:javascript复制/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
bool hasCycle(ListNode *head) {
if(!head) return false;
ListNode* p = head;
ListNode* q = head;
while(p && q->next)
{
if(!q->next->next) break;
q = q->next->next;
p = p->next;
if(p == q) return true;
}
return false;
}
};