题目描述
【leetcode】141. 环形链表( Linked List Cycle )
给定一个链表,判断链表中是否有环。
为了表示给定链表中的环,我们使用整数 pos 来表示链表尾连接到链表中的位置(索引从 0 开始)。 如果 pos 是 -1,则在该链表中没有环。
进阶:
你能用 O(1)(即,常量)内存解决此问题吗?
第一次解答
思路:
首先想到的是哈希表,但是不符合进阶要求,于是看了题解,采用快慢指针
注意:
链表为空
test case:
[3,2,0,-4]
1
[1,2]
0
[1]
-1
[]
-1
/**
* 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(nullptr == head){
return false;
}
ListNode *p_fast = head->next;
ListNode *p_slow = head;
while(p_fast != nullptr && p_slow != nullptr){
if(p_fast == p_slow){
return true;
}
if(nullptr == p_fast->next){
return false;
}
p_slow = p_slow->next;
p_fast = p_fast->next->next;
}
return false;
}
};
结果:
相关/参考链接
来源:CSDN
作者:LiBer_CV
链接:https://blog.csdn.net/a435262767/article/details/104062141