141. 环形链表
题目
代码
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
class Solution {
public:
//利用快慢指针 快指针每次前进2步,慢指针每次前进一步,最后如果快指针追上了慢指针则说明有循环
bool hasCycle(ListNode *head) {
if(head==nullptr||head->next==nullptr)
return false;
ListNode* slow=head,*fast=head->next;
while(slow!=fast)
{
if(fast==nullptr||fast->next==nullptr)
return false;
slow=slow->next;
fast=fast->next->next;
}
return true;
}
};
思路
快慢指针即可解决,代码思路清晰。
https://github.com/li-zheng-hao