环形链表

给定一个链表,判断链表中是否有环。

为了表示给定链表中的环,我们使用整数 pos 来表示链表尾连接到链表中的位置(索引从 0 开始)。 如果 pos 是 -1,则在该链表中没有环。

输入:head = [3,2,0,-4], pos = 1
输出:true
解释:链表中有一个环,其尾部连接到第二个节点。

 思路,利用哈希表,或者集合去重的特性。

/**
 * 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*> haset;
        ListNode* p = head;
        while(p){
            if(haset.count(p) > 0) return true;
            haset.insert(p);
            p = p->next;
        }
        return false;        
    }
};*/
class Solution {
public:    
    bool hasCycle(ListNode *head){
        set<ListNode*> nodeSet; //集合的性质,去重
        ListNode*p = head;
        int count = 0;
        while(p){
            nodeSet.insert(p);
            if(count == nodeSet.size()) {
                return  true;
            }
            count = nodeSet.size();  
            p = p->next;
        }
        return false;
    }
};

 

posted @ 2019-08-24 16:26  卷积  阅读(128)  评论(0编辑  收藏  举报