[leetcode刷题系列]Longest Consecutive Sequence

囧, 这题nlogn的方法是显然的不能更显然了。然后题目提示有O(n)的算法。 然后似乎也没遇到过这个题目的O(n)解法。

于是就想啊想啊,各种想。 期间是想到过用hash表, 在假设查找均摊复杂度为O(1)的情况下, 是可以认为O(n)的。

然后实现想不出来非hash的。可以认为是O(n)的算法, 于是Google了一番。 发现要摸是nlogn,要摸就是hash的。囧

就这样吧, 估计没有。


class Solution {
    unordered_set<int> hash;
    
    int longest(int x, int del){
        int ret = 0;
        while(hash.find(x) != hash.end()){
            ret ++;
            hash.erase(x);
            x += del;
        }
        return ret;
    }
public:
    int longestConsecutive(vector<int> &num) {
        // Start typing your C/C++ solution below
        // DO NOT write int main() function
        hash.clear();
        for(int i = 0; i < num.size(); ++ i)
            hash.insert(num[i]);
        int ans = 0;
        for(int i = 0; i < num.size(); ++ i)
            ans = max(ans, longest(num[i], 1) + longest(num[i] - 1, -1));
        return ans;
    }
};


你可能感兴趣的:([leetcode刷题系列]Longest Consecutive Sequence)