java数据结构与算法刷题-----LeetCode128. 最长连续序列

java数据结构与算法刷题目录(剑指Offer、LeetCode、ACM)-----主目录-----持续更新(进不去说明我没写完):https://blog.csdn.net/grd_java/article/details/123063846

java数据结构与算法刷题-----LeetCode128. 最长连续序列_第1张图片

解题思路
  1. 先排序,然后寻找相连的元素,相差为1,记录子序列长度。但是时间复杂度较高,主要是因为排序算法需要O( n ∗ l o g 2 n n*log_2{n} nlog2n)的时间复杂度
  2. 使用hash表,用set集合进行去重,需要空间复杂度O(n). 然后利用set寻找相邻元素,时间复杂度O(n)
    java数据结构与算法刷题-----LeetCode128. 最长连续序列_第2张图片
    java数据结构与算法刷题-----LeetCode128. 最长连续序列_第3张图片
    java数据结构与算法刷题-----LeetCode128. 最长连续序列_第4张图片
代码

法一:排序后,找最长连续子序列
java数据结构与算法刷题-----LeetCode128. 最长连续序列_第5张图片

class Solution {
    public int longestConsecutive(int[] nums) {
        if (nums == null || nums.length == 0) return 0;

        Arrays.sort(nums);
        int index = 1, max = 0;
        for(int i = 1; i < nums.length; i++) {
            if (nums[i] == nums[i-1]) {
                continue;
            }
            if (nums[i] != nums[i-1] + 1) {
                max = Math.max(max, index);
                index = 0;
            }
            index++;
        }
        return Math.max(max, index);
    }
}//end_Solution
  1. 法二:hash表
    java数据结构与算法刷题-----LeetCode128. 最长连续序列_第6张图片
class Solution {
    public int longestConsecutive(int[] nums) {
        Set<Integer> set = new HashSet<Integer>();//set集合
        for(int num : nums) set.add(num);//set去重
        int longestStreak = 0;//保存最长序列长度
        for(int num : set){//遍历set集合,寻找每个元素,以它为最小值的,最长子序列
            //set.contains(num),num如果存在于set,就返回true。
            if(!set.contains(num-1)){//如果当前值,没有比它小的,那么就以它为最小值,尝试构建子序列
                //如果当前值没有比它小的,说明当前值就是当前最小的
                //那么就看看这个以当前值为序列最小值的子序列,长度是多少
                int currentNum = num;//记录当前值
                int currentStreak = 1;//当前子序列长度初始为1
                while(set.contains(currentNum + 1)){//如果有比它大1的
                    currentNum += 1;//当前值更新
                    currentStreak += 1;//子序列长度+1
                }//end_while
                longestStreak = Math.max(longestStreak,currentStreak);//只保留大的子序列长度
            }//end_if
        }//end_for 
        return longestStreak;
    }//end_longestConsecutive
}//end_Solution

你可能感兴趣的:(算法,java,leetcode,算法)