struct ListNode* detectCycle(struct ListNode* head) { hashtable = NULL; while (head != NULL) { if (find(head) != NULL) { return head; } insert(head); head = head->next; } returnfalse; }
[sol1-JavaScript]
1 2 3 4 5 6 7 8 9 10 11
var detectCycle = function(head) { const visited = newSet(); while (head !== null) { if (visited.has(head)) { return head; } visited.add(head); head = head.next; } returnnull; };
[sol1-Golang]
1 2 3 4 5 6 7 8 9 10 11
funcdetectCycle(head *ListNode) *ListNode { seen := map[*ListNode]struct{}{} for head != nil { if _, ok := seen[head]; ok { return head } seen[head] = struct{}{} head = head.Next } returnnil }
复杂度分析
时间复杂度:O(N),其中 N 为链表中节点的数目。我们恰好需要访问链表中的每一个节点。
空间复杂度:O(N),其中 N 为链表中节点的数目。我们需要将链表中的每个节点都保存在哈希表当中。
方法二:快慢指针
思路与算法
我们使用两个指针,fast 与 slow。它们起始都位于链表的头部。随后,slow 指针每次向后移动一个位置,而 fast 指针向后移动两个位置。如果链表中存在环,则 fast 指针最终将再次与 slow 指针在环中相遇。
如下图所示,设链表中环外部分的长度为 a。slow 指针进入环后,又走了 b 的距离与 fast 相遇。此时,fast 指针已经走完了环的 n 圈,因此它走过的总距离为 a+n(b+c)+b=a+(n+1)b+nc。
var detectCycle = function(head) { if (head === null) { returnnull; } let slow = head, fast = head; while (fast !== null) { slow = slow.next; if (fast.next !== null) { fast = fast.next.next; } else { returnnull; } if (fast === slow) { let ptr = head; while (ptr !== slow) { ptr = ptr.next; slow = slow.next; } return ptr; } } returnnull; };
[sol2-Golang]
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
funcdetectCycle(head *ListNode) *ListNode { slow, fast := head, head for fast != nil { slow = slow.Next if fast.Next == nil { returnnil } fast = fast.Next.Next if fast == slow { p := head for p != slow { p = p.Next slow = slow.Next } return p } } returnnil }
复杂度分析
时间复杂度:O(N),其中 N 为链表中节点的数目。在最初判断快慢指针是否相遇时,slow 指针走过的距离不会超过链表的总长度;随后寻找入环点时,走过的距离也不会超过链表的总长度。因此,总的执行时间为 O(N)+O(N)=O(N)。