题解 | #判断链表中是否有环#
判断链表中是否有环
https://www.nowcoder.com/practice/650474f313294468a4ded3ce0f7898b9
#include <stdbool.h>
/**
* struct ListNode {
* int val;
* struct ListNode *next;
* };
*/
/**
*
* @param head ListNode类
* @return bool布尔型
*/
bool hasCycle(struct ListNode* head ) {
struct ListNode* slow = head;
struct ListNode* fast = head;
while (fast && fast->next) {//如果不加上fast->next,则会仅判断第偶数个节点(0,2,4...)
slow = slow->next;
fast = fast->next->next;
if (slow == fast) {
return true;
}
}
return false;
}
快慢指针法,但要注意,fast指针不要过度遍历,就是遍历到链表最后一个节点指针指的NULL之后。
