判斷是否為環形連結串列

looshen發表於2020-10-06

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

package com.loo;

import java.util.Set;
import java.util.LinkedHashSet;

public class LoopPointer {
    public static void main(String[] args) {
        ListNode head = new ListNode(0);
        ListNode l1 = new ListNode(1);
        ListNode l2 = new ListNode(2);
        ListNode l3 = new ListNode(3);
        ListNode l4 = new ListNode(4);
        ListNode l5 = new ListNode(5);
        ListNode l6 = new ListNode(6);
        head.next = l1;
        l1.next = l2;
        l2.next = l3;
        l3.next = l4;
        l4.next = l5;
        l5.next = l6;
        l6.next = l2;
        System.out.println(hasLoopPointer(head)); // hash表
        System.out.println(slowAndFastLoopPointer(head));  // 快慢指標
    }

    static class ListNode {
        int value;
        ListNode next;
        public ListNode(int v) {
            value = v;
        }
    }

    public static boolean hasLoopPointer(ListNode node) {
        Set<ListNode> set = new LinkedHashSet<ListNode>();
        while (node!=null) {
            if (set.contains(node)) {
                return true;
            }
            set.add(node);
            node = node.next;
        }
        return false;
    }

    public static boolean slowAndFastLoopPointer(ListNode node) {
        if (node==null) {
            return false;
        }
        ListNode s = node;
        ListNode f = node.next;
        while (f!=null && f.next!=null) {
            if (s.equals(f)) {
                return true;
            }
            s = s.next;
            f = f.next.next;
        }
        return false;
    }
}

 

相關文章