LeetCode 141 [Linked List Cycle]

作者: Jason_Yuan | 来源:发表于2016-06-07 16:13 被阅读88次

原题

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

样例
给出 -21->10->4->5, tail connects to node index 1,返回 true

解题思路

  • 快慢指针,都从起点出发, 慢指针一次一步,快指针一次两步,如果有环则一定存在某时刻快慢指针相交

完整代码

# Definition for singly-linked list.
# class ListNode(object):
#     def __init__(self, x):
#         self.val = x
#         self.next = None

class Solution(object):
    def hasCycle(self, head):
        """
        :type head: ListNode
        :rtype: bool
        """
        slow, fast = head, head
        while fast and fast.next:
            slow = slow.next
            fast = fast.next.next
            if slow == fast:
                return True
        return False

相关文章

网友评论

    本文标题:LeetCode 141 [Linked List Cycle]

    本文链接:https://www.haomeiwen.com/subject/qxgddttx.html