leetcode系列 環形鍊錶(超級經典系列)

2021-10-03 18:01:20 字數 1037 閱讀 1241

環形鍊錶

給定乙個鍊錶,判斷鍊錶中是否有環。

為了表示給定鍊錶中的環,我們使用整數 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)(即,常量)記憶體解決此問題嗎?

設想兩個跑的一快一慢的運動員,如果是直道,快的會先到達,如果是彎道,兩者一定會相遇

# 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 or not head.next:

return false

slow = head

fast = head.next

while slow!=fast:

if not fast or not fast.next:

return false

slow = slow.next

fast = fast.next.next

return true

Leetcode環形鍊錶系列題目

目錄2.環形鍊錶ii 3.尋找重複數 晚上刷了一道leetcode叫尋找重複數的題目,用鍊錶成環的思路實現挺有意思的,梳理下思路順便回顧下環形鍊錶 題目鏈結 這道題就是給個鍊錶讓你判斷這個鍊錶有沒有繞成環 最簡單的方法是直接用set,遍歷鍊錶並新增元素,如果鍊錶存在環,那麼入環的節點再次新增到set...

LeetCode 環形鍊錶

given a linked list,determine if it has a cycle in it.to represent a cycle in the given linked list,we use an integer pos which represents the positio...

LeetCode環形鍊錶

兩種思路 第一 想到判讀重複問題,hash表是很好的結構,可以使用hashset儲存元素,可以判斷是否出現過,空間複雜度o n 時間複雜度o n 第二 雙指標,追及問題,乙個快乙個慢,若存在環,快的指標必定會追上慢的指標 空間複雜度o n 時間複雜度o 1 利用雜湊表的特性。tips 雜湊表是判斷重...