leetcode 128.最长连续子序列

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

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

示例:

输入: [100, 4, 200, 1, 3, 2]
输出: 4
解释: 最长连续序列是 [1, 2, 3, 4]。它的长度为 4。

 

思路:使用HashMap记录每个端点值对应连续区间的长度。

O(n) 复杂度。

  • 用哈希表存储每个端点值对应连续区间的长度
  • 若数已在哈希表中:跳过不做处理
  • 若是新数加入:
    • 取出其左右相邻数已有的连续区间长度 left 和 right
    • 计算当前数的区间长度为:cur_length = left + right + 1
    • 根据 cur_length 更新最大长度 max_length 的值
    • 更新区间两端点的长度值
class Solution {
    public int longestConsecutive(int[] nums) {
//         用hashmap记录每个数当前的连续长度并不断更新
        Map map=new HashMap<>();
        int maxLength=0;
        for(int num:nums){
//             重复的数不计入
            if(map.containsKey(num)) continue;
            int left=map.getOrDefault(num-1,0);
            int right=map.getOrDefault(num+1,0);
            int temp=1+left+right;
            map.put(num,temp);
            maxLength=maxLength>temp?maxLength:temp;
//             更新hashmap中key的左右数字对应的value
            map.put(num-left,temp);
            map.put(num+right,temp);
        }
        return maxLength;
    }
}

 

你可能感兴趣的:(leetcode,并查集)