题目描述
给定一个链表,判断链表中是否有环。
为了表示给定链表中的环,我们使用整数 pos
来表示链表尾连接到链表中的位置(索引从 0 开始)。 如果 pos
是 -1,则在该链表中没有环。
样例
输入:
head = [3,2,0,-4]
pos = 1
输出:
true
思路
该题与【剑指offer】15. 链表中倒数第k个结点思路类似,由于返回的是中间结点,可以设置两个指针p1和p2,p1每次走一步,p2每次走两步。当p1追上p2时,可以认为有环。
推导过程参考博客:Leetcode 141:环形链表(最详细的解法!!!)
code
# 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
"""
if not head:
return False
p1 = head
p2 = head
cycle = False
while p2 and p2.next:
p1 = p1.next
p2 = p2.next.next
if p1 and p2 and p1.val == p2.val:
cycle = True
break
return cycle