【每日算法】LeetCode 128 —— 最长连续序列(二百一十八)

题目内容

给定一个未排序的整数数组 nums ,找出数字连续的最长序列(不要求序列元素在原数组中连续)的长度。

请你设计并实现时间复杂度为 O(n) 的算法解决此问题。

示例

示例 1:

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

示例 2:

输入:nums = [0,3,7,2,5,8,4,6,0,1]
输出:9

提示

0 <= nums.length <= 10^5
-10^9 <= nums[i] <= 10^9

题解

本题采用hash表的思路求解。

首先,用一个hash表存储全部的元素,然后从序列的起始位置开始,不断检查x+1是否在hash表中,如果不在,则更新起始点。在更新起始点的过程中,为了防止重复枚举连续序列的子集,我们仅枚举连续序列的起始位置,即当我们判断是否是起点时,查看是否存在x-1,如果存在,则x肯定不是连续序列的起始点。

具体,请看代码。

代码

class Solution {
public:
int longestConsecutive(vector<int>& nums) {
unordered_set<int> S;
for(auto x: nums){
S.insert(x);
}
int res = 0;
for(auto x: nums){
if(S.count(x) && !S.count(x - 1)){
int y = x;
S.erase(x);
while(S.count(y + 1)){
y++;
S.erase(y);
}
res = max(res,y - x + 1);
}
}
return res;
}
};
Author: Frederic Niu
Link: https://www.fredericniu.cn/2021/08/17/【每日算法】LeetCode-128-——-最长连续序列(二百一十八)/
Copyright Notice: All articles in this blog are licensed under CC BY-NC-SA 4.0 unless stating additionally.
我的公众号