-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathlinked-list-cycle-ii.go
49 lines (46 loc) · 997 Bytes
/
linked-list-cycle-ii.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
package list
// https://leetcode-cn.com/problems/linked-list-cycle-ii/
// Solution1: Use a hashtable to record all visited node.
// Time: O(n)
// Space: O(n)
func detectCycle(head *ListNode) *ListNode {
ht := make(map[*ListNode]bool)
p := head
for p != nil {
_, ok := ht[p]
if ok {
return p
}
ht[p] = true
p = p.Next
}
return nil
}
// https://leetcode-cn.com/problems/linked-list-cycle-ii/solution/huan-xing-lian-biao-ii-by-leetcode-solution/
// A faster pointer and a slow pointer meet with each other. Proof is important.
// Time: O(n)
// Space: O(1)
func detectCycleWithO1(head *ListNode) *ListNode {
if head == nil {
return nil
}
fast, slow := head, head
// find the first meet point
for fast != nil && fast.Next != nil {
fast = fast.Next.Next
slow = slow.Next
if fast == slow {
break
}
}
// no circle at all
if fast == nil || fast.Next == nil {
return nil
}
fast = head
for fast != slow {
fast = fast.Next
slow = slow.Next
}
return fast
}