LeetCode-longest-consecutive-sequence

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

For example,
Given[100, 4, 200, 1, 3, 2],
The longest consecutive elements sequence is[1, 2, 3, 4]. Return its length:4.

Your algorithm should run in O(n) complexity.

import java.util.*;
public class Solution {
    public int longestConsecutive(int[] num) {
        int n = num.length;
        if(n<=1){
            return n;
        }
        Arrays.sort(num);
         
        int length = 0;
        int cur = 1;
        for(int i=1;i<n;i++){
            if(num[i]==num[i-1]){
                continue;
            }
            if(num[i]-num[i-1]==1){
                cur++;
            }else{
                if(cur>length){
                    length = cur;
                }
                cur = 1;
            }
        }
        if(cur>length){
            length = cur;
        }
        return length;
    }
}

猜你喜欢

转载自blog.csdn.net/weixin_42146769/article/details/88831658