1. 程式人生 > 其它 >程式設計練習4

程式設計練習4

技術標籤:Leetcodec++連結串列資料結構演算法

原題連結:環形連結串列

題目:給定一個連結串列,判斷連結串列中是否有環。

如果連結串列中有某個節點,可以通過連續跟蹤 next 指標再次到達,則連結串列中存在環。 為了表示給定連結串列中的環,我們使用整數 pos 來表示連結串列尾連線到連結串列中的位置(索引從 0 開始)。 如果 pos 是 -1,則在該連結串列中沒有環。注意:pos 不作為引數進行傳遞,僅僅是為了標識連結串列的實際情況。

如果連結串列中存在環,則返回 true 。 否則,返回 false 。

進階:

你能用 O(1)(即,常量)記憶體解決此問題嗎?

思路1:利用雜湊表儲存所有以訪問過的節點,每次訪問一個節點時,如果這個節點已經在雜湊表中,說明存在環形連結串列。

C++實現:

/**
 * 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) {
        unordered_set<ListNode*> line;
        while(head!=NULL)
        {
            if(line.count(head))
                return true;
            line.insert(head);
            head=head->next;
        }  
        return false;  
    }
};

思路2:快慢指標。定義兩個指標,一快一滿。慢指標每次只移動一步,而快指標每次移動兩步。初始時,慢指標在位置 head,而快指標在位置 head.next。這樣一來,如果在移動的過程中,快指標反過來追上慢指標,就說明該連結串列為環形連結串列。否則快指標將到達連結串列尾部,該連結串列不為環形連結串列。

C++實現:

/**
 * 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==NULL||head->next==NULL)
            return false;
        ListNode *slow=head;
        ListNode *fast=head->next;
        while(slow!=fast)
        {
            if(fast==NULL||fast->next==NULL)
                return false;
            slow=slow->next;
            fast=fast->next->next;
        }
        return true;
    }
};