程序師世界是廣大編程愛好者互助、分享、學習的平台,程序師世界有你更精彩!
首頁
編程語言
C語言|JAVA編程
Python編程
網頁編程
ASP編程|PHP編程
JSP編程
數據庫知識
MYSQL數據庫|SqlServer數據庫
Oracle數據庫|DB2數據庫
 程式師世界 >> 編程語言 >> C語言 >> C++ >> 關於C++ >> [LeetCode] Linked List Cycle

[LeetCode] Linked List Cycle

編輯:關於C++

 

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?

解題思路:

1、最基本的辦法是用一個set來存儲所有已經出現過的指針。若出現重復,則表示有環,若沒有重復,則沒有環。

 

/**
 * 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) {
        ListNode* p = head;
        set s;
        while(p!=NULL){
            if(s.find(p)!=s.end()){
                return true;
            }
            s.insert(p);
            p=p->next;
        }
        return false;
    }
};
2、雙指針方法。設立兩個指針,一個指針每次走一步,另外一個指針每次走兩步。若兩個指針相遇,表示有環。不相遇,則表示無環。具體見:http://blog.csdn.net/kangrydotnet/article/details/45154927

 

 

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



 

  1. 上一頁:
  2. 下一頁:
Copyright © 程式師世界 All Rights Reserved