-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
Showing
2 changed files
with
58 additions
and
11 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,26 @@ | ||
# Given head, the head of a linked list, determine if the linked list has a cycle in it. | ||
|
||
# There is a cycle in a linked list if there is some node in the list that can be reached again by continuously following the next pointer. | ||
# Internally, pos is used to denote the index of the node that tail's next pointer is connected to. Note that pos is not passed as a parameter. | ||
|
||
# Return true if there is a cycle in the linked list. Otherwise, return false. | ||
|
||
# https://leetcode.com/problems/linked-list-cycle/description/ | ||
|
||
from typing import Optional | ||
|
||
class ListNode: | ||
def __init__(self, x): | ||
self.val = x | ||
self.next = None | ||
|
||
class Solution: | ||
def hasCycle(self, head: Optional[ListNode]) -> bool: | ||
fast = slow = head | ||
|
||
while fast and fast.next: | ||
slow, fast = slow.next, fast.next.next | ||
if fast == slow: | ||
return True | ||
|
||
return False |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters