题目描述:LeetCode141-环形链表

思路:
采用快慢指针,fast和slow都从head开始出发,slow每次走一步,fast每次走两步,如果存在环,则一定会相遇。

代码:
/**
* Definition for singly-linked list.
* class ListNode {
* int val;
* ListNode next;
* ListNode(int x) {
* val = x;
* next = null;
* }
* }
*/
public class Solution {
public boolean hasCycle(ListNode head) {
ListNode fast=head;
ListNode slow=head;
while(fast!=null && fast.next!=null){
fast=fast.next.next;
slow=slow.next;
if(fast==slow){
return true;
}
}
return false;
}
}
题目描述:剑指Offer022-链表中环的入口

如果链表为空返回null。
思路:
先通过快慢指针判断是否有环,存在环,则使fast回到头节点,slow留在相遇点,则当速度一致时,再次相遇点就是环的入口,返回即可。

代码:
public class Solution {
public ListNode detectCycle(ListNode head) {
if(head==null || head.next==null){
return null;
}
ListNode fast=head;
ListNode slow=head;
while(fast!=null && fast.next!=null){
fast=fast.next.next;
slow=slow.next;
if(fast==slow){
break;
}
}
if(fast==null || fast.next==null){
return null;
}
fast=head;
while(fast!=slow){
fast=fast.next;
slow=slow.next;
}
return fast;
}
}
这篇博客介绍了如何利用快慢指针解决LeetCode141和剑指Offer022两个链表环问题。通过设置一个指针每次前进一步,另一个指针每次前进两步,当它们相遇时确定链表存在环;然后让快指针回到头节点,慢指针保持在相遇点,继续同步前进,再次相遇的点即为环的入口。
265

被折叠的 条评论
为什么被折叠?



