zoukankan      html  css  js  c++  java
  • 【Leetcode链表】环形链表(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
    解释:链表中没有环。
    

    进阶:你能用 O(1)(即,常量)内存解决此问题吗?

    解答

    三种方法:
    1,遍历整个链表,看能不能走到尾部NULL,如果有NULL则无环,如果没有NULL就可能是有环,也可能链表太长会运行超时,这种方法不可取
    2,用哈希表,依次遍历链表set存储走过的点 ———— 时间复杂度O(n),空间复杂度O(n)
    3,快慢指针,如果有环快指针一定会追上慢指针,两者相遇即有环,快指针走到NULL即无环 ———— 时间复杂度O(n),空间复杂度O(1)

    通过代码如下:

    # Definition for singly-linked list.
    # class ListNode:
    #     def __init__(self, x):
    #         self.val = x
    #         self.next = None
    
    ## 哈希set,对比走过的点
    class Solution:
        def hasCycle(self, head: ListNode) -> bool:
            s = set()
            while head:
                if head in s:
                    return True
                s.add(head)
                head = head.next
            return False
    ## 时间复杂度O(n),空间复杂度O(n)
    
    
    ## 快慢指针,快指针一次走两步,慢指针走一步,如果有环快慢一定会相遇
    # class Solution:
    #     def hasCycle(self, head: ListNode) -> bool:
    #         f = s = head
    #         while f and f.next:  # 一定是f.next不能为空,因为f走得快
    #             f = f.next.next
    #             s = s.next
    #             if f == s:
    #                 return True
    #         return False
    ## 时间复杂度O(n),空间复杂度O(1)
    
  • 相关阅读:
    [翻译] JSAnimatedImagesView
    css3 :nth-child 常用用法
    设置屏幕亮度(系统级别和应用级别)
    nodejs 改变全局前缀
    MongoDB数据库和集合的状态信息
    NoSQL架构实践(一)——以NoSQL为辅
    socket.io,系统api,
    svn sc create 命令行创建服务自启动
    background-size background-positon合并的写法
    【转】视频编码与封装方式详解
  • 原文地址:https://www.cnblogs.com/ldy-miss/p/11924293.html
Copyright © 2011-2022 走看看