1. 程式人生 > 其它 >leetcode142. 環形連結串列

leetcode142. 環形連結串列

給定一個連結串列,返回連結串列開始入環的第一個節點。如果連結串列無環,則返回null。

為了表示給定連結串列中的環,我們使用整數 pos 來表示連結串列尾連線到連結串列中的位置(索引從 0 開始)。 如果 pos 是 -1,則在該連結串列中沒有環。注意,pos 僅僅是用於標識環的情況,並不會作為引數傳遞到函式中。

說明:不允許修改給定的連結串列。

進階:

你是否可以使用 O(1) 空間解決此題?

示例 1:

輸入:head = [3,2,0,-4], pos = 1
輸出:返回索引為 1 的連結串列節點
解釋:連結串列中有一個環,其尾部連線到第二個節點。
示例2:

輸入:head = [1,2], pos = 0
輸出:返回索引為 0 的連結串列節點
解釋:連結串列中有一個環,其尾部連線到第一個節點。
示例 3:

輸入:head = [1], pos = -1
輸出:返回 null
解釋:連結串列中沒有環。

來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/linked-list-cycle-ii
著作權歸領釦網路所有。商業轉載請聯絡官方授權,非商業轉載請註明出處。

連結:https://leetcode-cn.com/problems/copy-list-with-random-pointer

詳解:https://leetcode-cn.com/problems/linked-list-cycle-ii/solution/linked-list-cycle-ii-kuai-man-zhi-zhen-shuang-zhi-/

/**
 * 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)
            return null;
        ListNode fast,slow;
        fast=head;
        slow=head;
        while (true)//這裡不能寫fast!=slow,因為剛開始的時候fast==slow
        {
            if(fast.next==null||fast.next.next==null)
                return null;
            fast=fast.next.next;
            slow=slow.next;
            if(fast==slow)
                break;
        }
        fast=head;
        while (fast!=slow)
        {
            fast=fast.next;
            slow=slow.next;
        }
        return fast;
    }
}

雜湊表

/**
 * 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)
            return null;
        ListNode cur=head;
        HashSet<ListNode> hashSet=new HashSet<>();
        while (cur!=null&&!hashSet.contains(cur))
        {
            hashSet.add(cur);
            cur=cur.next;
        }
        if(cur!=null)
            return cur;
        return null;
    }
}