【LeetCode-128】128. 最长连续序列

128. 最长连续序列

给定一个未排序的整数数组,找出最长连续序列的长度

要求算法的时间复杂度为 O(n)

【LeetCode-128】128. 最长连续序列_第1张图片

方法一:哈希表

【LeetCode-128】128. 最长连续序列_第2张图片

/*
复杂度分析:
时间复杂度:O(n),其中 n 为数组的长度。具体分析已在上面正文中给出。
空间复杂度:O(n)。哈希表存储数组中所有的数需要 O(n) 的空间。

*/
class Solution {
    public int longestConsecutive(int[] nums) {
        int n = nums.length;
        if(n == 0 || n == 1) {
            return n;
        }
        Set<Integer> set = new HashSet<>();
        for(int num : nums) {
            set.add(num);
        }
        int res = 0;
        for(int num : set) {
            if(!set.contains(num - 1)) {
                int currentNum = num;
                int curCount = 1;
                while(set.contains(currentNum + 1)) {
                    currentNum++;
                    curCount++;
                }
                res = Math.max(res, curCount);
            }
        }
        return res;
    }
}

你可能感兴趣的:(LeetCode)