Leetcode 142. Linked List Cycle II

GoodJobJasper發表於2020-12-26

在這裡插入圖片描述
方法1: 這題是141的升級版,141是隻要判斷有沒有circle,這題是要先判斷有沒有circle然後再找出這個circle的entry。做法也是一樣,就是歸途賽跑的演算法,只不過這邊有兩個phase。具體思路可以直接看lc官方解答。時間複雜度n,空間複雜度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) {
        ListNode r = head;
        ListNode t = head;
        ListNode temp = new ListNode(0);
        boolean flag = true;
        // phase 1, detect circle and output the intersection node.
        while(flag){
            if(r == null || r.next == null){
                return null;
            }
            r = r.next.next;
            t = t.next;
            if(r == t){
                flag = false;
                temp = r;
            }
        }
        
        // phase 2, find out the circle entry
        ListNode newT = head;
        while(newT != temp){
            newT = newT.next;
            temp = temp.next;
        }
        
        return newT;
    }
}

總結:

  • 要熟悉circle detection演算法

相關文章