天天看點

[Leetcode] 141. Linked List Cycle 解題報告

題目:

Given a linked list, determine if it has a cycle in it.

Follow up:

Can you solve it without using extra space?

思路:

這個題目估計已經被問爛了,玩壞了。是以真正面試的時候估計一般不會考。不過裡面two pointers的思路倒是解決連結清單問題的神器之一。我們定義快慢指針,慢的一次走一步,快的一次走兩步。如果相遇,則有環,否則無環。時間複雜度O(n),空間複雜度O(1),其中n是連結清單的長度。

代碼:

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    bool hasCycle(ListNode *head) {
        if (!head) {
            return false;
        }
        ListNode *slow = head, *fast = head;
        while (fast->next && fast->next->next) {
            slow = slow->next;
            fast = fast->next->next;
            if (slow == fast) {
                return true;
            }
        }
        return false;
    }
};