这里要注意,题目当中的{},后面跟的数字只是便于解释,实际上是传入的头结点。就是判断一个列表他是否是有环,可以根据双指针,一个一次移动一个,一个一次移动两个,这就是一个追击问题。如果无环,则会慢指针追不上快的。但是有环的话,二者一定会相遇,所以当相遇可以判断有环。
# class ListNode:
# def __init__(self, x):
# self.val = x
# self.next = None
#
#
# @param head ListNode类
# @return bool布尔型
#
class Solution:
def hasCycle(self , head ):
# write code here
if not head:
return False
slow , fast = head , head
while fast and fast.next:
# 慢指针走一步,快指针走两步
slow = slow.next
fast = fast.next.next
# 相遇说明有环,返回True
if slow == fast:
return True
return False