如果列表中不存在环,最终快指针将会最先到达尾部,此时我们可以返回 false

如果存在环则会相遇。返回true。

Java代码实现:

public boolean hasCycle(ListNode head) {
    if (head == null || head.next == null) {
        return false;
    }
    ListNode slow = head;
    ListNode fast = head.next;
    while (slow != fast) {
        if (fast == null || fast.next == null) {
            return false;
        }
        slow = slow.next;
        fast = fast.next.next;
    }
    return true;
}


10-17 00:37