其他分享
首页 > 其他分享> > LeetCode 0141 Linked List Cycle

LeetCode 0141 Linked List Cycle

作者:互联网

原题传送门

1. 题目描述

2. Solution 1

1、思路分析
用set 保存结点元素,若结点已存在则有环,遍历结束无重复则表示无环。

2、代码实现

package Q0199.Q0141LinkedListCycle;

import DataStructure.ListNode;

import java.util.HashSet;
import java.util.Set;

public class Solution {
    /*
       方法一: 用set 保存结点元素,若已存在则有环,不然无环
      */
    public boolean hasCycle(ListNode head) {
        Set<ListNode> seen = new HashSet<ListNode>();
        while (head != null) {
            if (seen.contains(head)) return true;
            seen.add(head);
            head = head.next;
        }
        return false;
    }
}

3、复杂度分析
时间复杂度: O(n)
空间复杂度: O(n)

3. Solution 2

1、思路分析
设置快慢两个指针分别为fast和slow,初始时都指向链表头head。slow每次走一步,fast每次走两步。
如下图所示,当slow刚进入环时,fast早已进入环。因为fast每次比slow多走一步,且fast与slow的距离小于环的程度,所以fast与slow相遇时,slow所走的距离不超过环的长度。

2、代码实现

package Q0199.Q0141LinkedListCycle;

import DataStructure.ListNode;

public class Solution2 {
    /*
   方法二: 快慢针
  */
    public boolean hasCycle(ListNode head) {
        ListNode slow = head, fast = head;
        while (fast != null) {
            if (fast.next == null) return false;
            fast = fast.next.next;
            slow = slow.next;
            if (fast == slow) return true;
        }
        return false;
    }
}

3、复杂度分析
时间复杂度: O(n)
空间复杂度: O(1)

标签:head,slow,return,复杂度,List,fast,0141,ListNode,Cycle
来源: https://www.cnblogs.com/junstat/p/16296867.html