1. 程式人生 > 其它 >LeetCode142題:環形連結串列 II 給定一個連結串列,返回連結串列開始入環的第一個節點。 如果連結串列無環,則返回 null。

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

技術標籤:遍歷java語法連結串列javaleetcode

  1. 環形連結串列 II
    給定一個連結串列,返回連結串列開始入環的第一個節點。 如果連結串列無環,則返回 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
解釋:連結串列中沒有環。
 
提示:

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

程式碼:

/**
 * 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 = head; ListNode slow = head; while(fast != null && fast.next != null){ fast= fast.next.next;//fsat每次走兩步的原因是走兩步在最快的情況下可以遇到
slow = slow.next; if(fast == slow){//相遇時說明有環 break; } } if(fast == null || fast.next == null) { return null;//迴圈結束,fast和slow還沒遇到說明連結串列無環 } //程式碼走到這說明有環,並且slow和fast相遇了 slow = head;//slow從頭開始走 while(slow != fast) { fast = fast.next;//fast從相遇的地方開始走 slow = slow.next; } return fast;//此時相遇時就是入環的第一個節點,返回slow或者fast } }

結果:
在這裡插入圖片描述