/**
* Definition for singly-linked list.
* class ListNode {
* int val;
* ListNode next;
* ListNode(int x) {
* val = x;
* next = null;
* }
* }
*/
public class Solution {
public ListNode detectCycle(ListNode head) {
ListNode slow = head;
ListNode fast = head;
while(fast != null && fast.next != null){
slow = slow.next;
fast = fast.next.next;
if(slow == fast){//有环
ListNode index1 = fast;
ListNode index2 = head;
//两个指针,从头结点和相遇结点,各走一步,直到相遇
while(index1 != index2){
index1 = index1.next;
index2 = index2.next;
}
return index1;
}
}
return null;
}
}
142. 环形链表 ||
最新推荐文章于 2024-11-09 12:43:52 发布
这篇博客主要介绍了如何使用快慢指针法来检测一个链表中是否存在环,并找到环的入口节点。通过设置两个指针,一个每次移动一步,另一个移动两步,当两者相遇时即表明链表存在环。之后,将相遇点和头节点同时开始遍历,直至再次相遇,该点即为环的入口。
摘要由CSDN通过智能技术生成