1. 程式人生 > 其它 >LeetCode 142.Linked List Cycle II

LeetCode 142.Linked List Cycle II

LeetCode 142.Linked List Cycle II (環形連結串列 II)

題目

連結

https://leetcode.cn/problems/linked-list-cycle-ii/submissions/

問題描述

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

如果連結串列中有某個節點,可以通過連續跟蹤 next 指標再次到達,則連結串列中存在環。 為了表示給定連結串列中的環,評測系統內部使用整數 pos 來表示連結串列尾連線到連結串列中的位置(索引從 0 開始)。如果 pos 是 -1,則在該連結串列中沒有環。注意:pos 不作為引數進行傳遞,僅僅是為了標識連結串列的實際情況。

不允許修改 連結串列。

示例

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

提示

連結串列中節點的數目範圍在範圍 [0, 104] 內
-105 <= Node.val <= 105
pos 的值為 -1 或者連結串列中的一個有效索引

思路

快慢指標,首先讓二者找到一個index,然後再從頭開始,這是一個數學問題。

複雜度分析

時間複雜度 O(n)
空間複雜度 O(1)

程式碼

Java

    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;
    }