142,環形連結串列II
給定一個連結串列,返回連結串列開始入環的第一個節點。 如果連結串列無環,則返回 null
。
說明:不允許修改給定的連結串列。
進階:
你是否可以不用額外空間解決此題?
/**
* 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 dumy=new ListNode(0);
dumy.next=head;
ListNode slow=dumy.next;
ListNode fast=dumy.next;
while(fast!=null&&fast.next!=null)
{
slow=slow.next;
fast=fast.next.next;
if(slow==fast) break;
}
slow=head;
if(fast==null||fast.next==null)
return null;
while(slow!=fast)
{
if(fast==null||fast.next==null)
return null;
slow=slow.next;
fast=fast.next;
}
return fast;
}
}