输入一个未排序的整型数组,找到最长的连续元素序列,并返回其长度。
拿到这道题,首先想到是先排序,然后遍历找到连续最长的元素。但是我们想通过更好的方式去解决这个问题。所以想到用HashMap存储每个节点的值和这个节点所在序列的长度。当遍历到每个元素时,找当前Map中是否有这个元素的左右连续元素存在,然后计算当前节点所在序列的长度,与最长长度比较替换。
public class Solution {
public int longestConsecutive(int[] nums) {
if(nums.length==0)
return 0;
HashMap<Integer,Integer> map = new HashMap<Integer,Integer>();
int longestLength = 0;
for(int i=0;i<nums.length;i++) {
if(!map.containsKey(nums[i])) {
int leftLength = map.containsKey(nums[i]-1)? map.get(nums[i]-1) : 0;
int rightLength = map.containsKey(nums[i]+1)? map.get(nums[i]+1) : 0;
int curLength = leftLength + 1 + rightLength;
map.put(nums[i],curLength);
map.put(nums[i]-leftLength,curLength);
map.put(nums[i]+rightLength,curLength);
if(curLength>longestLength)
longestLength = curLength;
}
}
return longestLength;
}
}
希望多多指正交流
版权声明:本文为博主原创文章,未经博主允许不得转载。
LeetCode_Disjoint-Set_Longest Consecutive Sequence
原文地址:http://blog.csdn.net/gldemo/article/details/46732433