题目描述
给定一个未排序的整数数组 nums ,找出数字连续的最长序列(不要求序列元素在原数组中连续)的长度。
请你设计并实现时间复杂度为 O(n) 的算法解决此问题。
题目分析
- 对于数组中存在的连续序列,为了统计每个连续序列的长度,我们需要直接定位到每个连续序列的起点,从起点开始遍历每个连续序列,从而获得长度。
- 如何获取到每个连续序列的起点?
答案是这个数的前一个数不存在于数组中,因此我们需要能够快速判断当前数num的前一个数num - 1是否存在于数组中。 - 当我们定位到起点后,我们就要遍历这个连续序列,查找什么时候是终点?
答案是当前数num的后一个数num + 1不存在于数组中,因此我们需要能够快速判断当前数num的后一个数num + 1是否存在于数组中。 - 为了实现上述需求,我们需要使用哈希表来记录数组中的所有数,以实现对数值的快速查找。
class Solution {
public:int longestConsecutive(vector<int>& nums) {int res = 0;unordered_set<int> num_set(nums.begin(),nums.end());int temp_len = 0;for (auto num : nums) {if (!num_set.count(num-1)) {temp_len = 1;while (num_set.count(++num)) {++temp_len;}res = res > temp_len ? res : temp_len;}}return res;}
};