算法

LeetCode141.环形链表

2021-07-26  本文已影响0人  Timmy_zzh
1.题目描述
进阶:
你能用 O(1)(即,常量)内存解决此问题吗?

示例 1:
输入:head = [3,2,0,-4], pos = 1
输出:true
解释:链表中有一个环,其尾部连接到第二个节点。

示例 2:
输入:head = [1,2], pos = 0
输出:true
解释:链表中有一个环,其尾部连接到第一个节点。

示例 3:
输入:head = [1], pos = -1
输出:false
解释:链表中没有环。
2.解题思路:快慢指针解法
    public boolean hasCycle(ListNode head) {
        if (head == null) {
            return false;
        }
        ListNode fast = head.next;
        ListNode slow = head;

        while (fast != null && fast.next != null) {
            if (fast == slow) {
                return true;
            }
            fast = fast.next.next;
            slow = slow.next;
        }
        return false;
    }
    public ListNode detectCycle(ListNode head) {
        ListNode fast = head, slow = head;

        while (fast != null && fast.next != null) {
            fast = fast.next.next;
            slow = slow.next;
            if (fast == slow) {
                ListNode tempNode = fast;
                ListNode tempHead = head;
                while (tempHead != tempNode) {
                    tempHead = tempHead.next;
                    tempNode = tempNode.next;
                }
                return tempHead;
            }
        }
        return null;
    }
3.总结
上一篇下一篇

猜你喜欢

热点阅读