题意:判断一个链表是否有环,有环的话返回环的起始节点,无环的话返回NULL。
分析:此题是141. Linked List Cycle的follow up。因此是剑指offer的原题,因此这里不再选用其他方法,直接采用剑指offer的方法。
总共分为三步:
1、得到环的长度circleLen。
2、设置fast节点和slow节点,初始值都为head。先将fast节点走circleLen个长度。
3、再将slow节点和fast节点同时走,两者相遇的节点即为入口节点。
证明:fast和slow节点相遇时一定为入口节点,假设head到入口节点距离为x,环的长度为y,那么fast走的总长为x+y,slow走的总长为x,而初始化时fast刚好比slow多走一个y的长度。x+y-x=y。
剑指offer的具体分析过程如下:
代码:
/**
* 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) {
if(head == null || head.next == null) return null;
ListNode fastNode = head.next;
ListNode slowNode = head;
while(fastNode != null && fastNode.next != null){
if(fastNode == slowNode){
int len = 1;
fastNode = fastNode.next;
while(fastNode != slowNode){
len++;
fastNode = fastNode.next;
}
fastNode = head;
slowNode = head;
for(int i = 0; i < len; i++){
fastNode = fastNode.next;
}
while(fastNode != slowNode){
fastNode = fastNode.next;
slowNode = slowNode.next;
}
return fastNode;
}
fastNode = fastNode.next.next;
slowNode = slowNode.next;
}
return null;
}
}