最长连续序列_leetcode算法题

给定一个未排序的整数数组,找出最长连续序列的长度。
要求算法的时间复杂度为 O(n)。
示例:
输入: [100, 4, 200, 1, 3, 2]
输出: 4
解释: 最长连续序列是 [1, 2, 3, 4]。它的长度为 4。

//java中可以使用集合set
class Solution {
    public int longestConsecutive(int[] nums) {
    	//数组中所有的数据放在集合当中,便于查询,还可以去重
        Set<Integer> occ = new HashSet<Integer>();
        for(int num :nums){
            occ.add(num);
        }
        int count=0,temp=1;
        for(int num:nums){
        	//要判断前一个在不在集合当中,不在那么就以这个为起点
            if(!occ.contains(num-1)){
                while(occ.contains(num+1)){
                    temp++;
                    num = num+1;
                }
                count = Math.max(count,temp);
                temp = 1;
            }
        }
        return count;
    }
}

你可能感兴趣的:(算法题)