解题思路
- 用哈希表存储所有的数
- 遍历哈希表
- 如果num-1在哈希表中,说明该元素不是根,忽略,如果num-1不在哈希表中,该元素为根,查找该元素的最长序列
关键在于如果避免重复查找
时间复杂度分析:
代码
class Solution {
public:
int longestConsecutive(vector<int>& nums) {
if(nums.empty())return 0;
//用集合set存储所有的数
unordered_set<int> s;
for(int &num : nums) {
s.insert(num);
}
int ans = 1;
for(const int &num : s){
//如果num-1在集合中,说明不是根
if(s.find(num-1) != s.end())continue;
else {
int temp = 0;
while(temp < s.size()){
++temp;
//找到某一个不连续的为止
if(s.find(num + temp) == s.end())break;
}
ans = max(ans,temp);
}
}
return ans;
}
};
备注
unordered_set
和set
的区别
set
基于红黑树实现,红黑树具有自动排序的功能,因此map内部所有的数据,在任何时候,都是有序的。unordered_set
基于哈希表,数据插入和查找的时间复杂度很低,几乎是常数时间,而代价是消耗比较多的内存,无自动排序功能。底层实现上,使用一个下标范围比较大的数组来存储元素,形成很多的桶,利用hash函数对key进行映射到不同区域进行保存
unordered_set
常用接口
为什么无法用int
去遍历unordered_set
,而要用const int
c++const关键字
for(const int &num : s)
//用引用传递,哈希表中的key不能修改,所以这里不可以直接int &num
,而也要用const关键字
for(int num : s)
//不用引用传递,值传递不会报错