141. 环形链表

给定一个链表,判断链表中是否有环。

为了表示给定链表中的环,我们使用整数 pos 来表示链表尾连接到链表中的位置(索引从 0 开始)。 如果 pos 是 -1,则在该链表中没有环。

示例 1:

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

示例 2:

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

示例 3:

输入:head = [1], pos = -1 输出:false 解释:链表中没有环。

来源:力扣(LeetCode) 链接:https://leetcode-cn.com/problems/linked-list-cycle 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

题解:
思路一:

很经典的题目,使用快慢指针算法, 可以想象两个人跑步,一个人跑得慢,一个人跑得快,如果跑步是绕圈跑不, 则两个人一定会相遇,如果没有圈, 则跑得快的人跑到终点, 两个人也不会相遇。

代码如下:

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
    public boolean hasCycle(ListNode head) {

        if (head == null || head.next == null) return false;
        
        ListNode slow = head;
        ListNode fast = head.next;

        while (fast != null && fast.next != null){
            slow = slow.next;
            fast = fast.next.next;

            if (slow == fast) return true;
        }
        return false;
    }

image-20200526180838393

思路二:

set存储遍历过的值, 当遍历过程中,发现set中包含, 则有环

当遍历完整个链表,,set中一直不包含, 则无环。

代码如下:

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
    public boolean hasCycle1(ListNode head) {

        if (head == null || head.next == null) return false;

        HashSet<ListNode> set = new HashSet<>();

        while (head != null){

            if (set.contains(head)) return true;
            set.add(head);
            head = head.next;
        }
        return false;
    }

时间复杂度 : O(N) 遍历一遍链表,N为链表中元素个数

空间复杂度 : O(N) 用到了额外的set存储空间

屏幕快照 2020-05-26 下午6.07.12