LeetCode(128)-Longest Consecutive Sequence(最长连续序列)

题目:

Given an unsorted array of integers, find the length of the longest consecutive elements sequence.

Your algorithm should run in O(n) complexity.

Example:

Input: [100, 4, 200, 1, 3, 2]
Output: 4
Explanation: The longest consecutive elements sequence is [1, 2, 3, 4]. Therefore its length is 4.

翻译:

给定一个未排序的整数数组,找出最长的连续元素序列的长度。
您的算法应该在O(n)复杂度下运行。
例子:
输入:[100,4,200,1,3,2]
输出:4
说明:最长的连续元素序列为[1,2,3,4]。因此它的长度是4。

思路:

本题我们采用HashSet集合进行处理。首先去除重复元素,再次遍历数组,如果集合中有这个元素,那么以这个元素为中点,左右进行遍历找到其最大连续序列。需要注意的是,在遍历数组的时候,有的元素已经被删除了,这是不影响的,因为其已经进入别的连续子序列,他所遍历的集合是只是一个子集。

代码实现:
class Solution {
    public int longestConsecutive(int[] nums) {
         HashSet<Integer> set=new HashSet();
         for(int num:nums){
             set.add(num);
         }
         int max=0;
        for(int num:nums){
            if(set.remove(num)){
                int sum=1;//表示和num连续的元素个数,初始化为1,表示num本身。
                int val=num;
                //找到和val连续的且比它小的元素个数
                while(set.remove(val-1))
                    val--;
                sum+=num-val;//小于num的连续元素个数。
                val=num;
                //找到和val连续的且比它大的元素个数
                while(set.remove(val+1))
                    val++;
                sum+=val-num; //大于num的连续元素个数。
                //比较当前连续子序列的个数和最大连续自序列的个数。
                max=Math.max(max,sum);
                
            }
        }
        return max;
    }
}

你可能感兴趣的:(LeetCodeTop100,集合解决最长连续序列问题)