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

2019.8.10 #程序员笔试必备# LeetCode 从零单刷个人笔记整理(持续更新)

这道题要求在线性的时间复杂度里,从乱序的数组中找出最长的连续序列。由于常规排序算法的复杂度都要o(nlogn),因此排序的路子基本不能用了。只能考虑空间换时间,能实现o(n)的方法一般可以考虑动态规划+桶/哈希表。

找出最大最小元素,第一次遍历利用桶排序的方法将每一个遍历到的元素放进桶中,第二次遍历找出连续有值的桶的长度即可。但是这种方法在数据稀疏且跨度较大时会空间超限,例如测试用例[2147483646,-2147483647,0,2,2147483644,-2147483645,2147483645]。

如果想解决稀疏数据的问题,可以考虑用动态规划+哈希表,第一次遍历将所有元素放入哈希表,第二次遍历依次检查元素num,若num-1不在哈希表中,说明num是连续序列的第一个元素,由此元素开始遍历。可以在o(n)的复杂度内获得最长连续序列长度。


传送门:最长连续序列

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

Your algorithm should run in O(n) complexity.

给定一个未排序的整数数组,找出最长连续序列的长度。

要求算法的时间复杂度为 O(n)。

示例:
输入: [100, 4, 200, 1, 3, 2]
输出: 4
解释: 最长连续序列是 [1, 2, 3, 4]。它的长度为 4。


import java.lang.reflect.Array;
import java.util.Arrays;
import java.util.HashSet;

/**
 *
 * Given an unsorted array of integers, find the length of the longest consecutive elements sequence.
 * Your algorithm should run in O(n) complexity.
 * 给定一个未排序的整数数组,找出最长连续序列的长度。
 * 要求算法的时间复杂度为 O(n)。
 *
 */

public class LongestConsecutiveSequence {
    //桶排序+动态规划
    //无法通过测试用例[2147483646,-2147483647,0,2,2147483644,-2147483645,2147483645]
    public int longestConsecutive(int[] nums) {
        if(nums.length == 0){
            return 0;
        }
        int max = Arrays.stream(nums).max().getAsInt();
        int min = Arrays.stream(nums).min().getAsInt();
        boolean[] bucket = new boolean[max - min + 1];
        for(int num : nums){
            bucket[num - min] = true;
        }

        int left = 0;
        int right = 0;
        int curlength = 0;
        int result = 0;
        while(right < bucket.length){
            while(right < bucket.length && !bucket[right]){
                right++;
                left = right;
            }
            while(right < bucket.length && bucket[right]){
                right++;
            }
            curlength = right - left;
            result = curlength > result ? curlength : result;
        }
        return result;
    }

    //哈希表+动态规划
    public int longestConsecutive2(int[] nums){
        HashSet<Integer> set = new HashSet<>();
        for(int num : nums){
            set.add(num);
        }

        int result = 0;
        for(int num : set){
            //若num-1不在哈希表中,说明num是连续序列的第一个元素,由此元素开始遍历
            if(!set.contains(num - 1)){
                int curNum = num;
                int curLen = 1;
                while(set.contains(curNum + 1)){
                    curNum++;
                    curLen++;
                }
                result = curLen > result ? curLen : result;
            }
        }

        return result;
    }
}




#Coding一小时,Copying一秒钟。留个言点个赞呗,谢谢你#

你可能感兴趣的:(数据结构与算法,JAVA,LeetCode)