• Home
  • 悦读
    • WYN photo

      WYN

      ridikuius

    • Learn More
    • Email
    • Github
  • 技术小札
    • 所有文章
    • 所有标签
  • 阅心笔记

leetcode_Longest Consecutive Sequence

22 Aug 2016

Reading time ~1 minute

Longest Consecutive Sequence

Question

leetcode: Longest Consecutive Sequence | LeetCode OJ

Problem Statement

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

Example

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

Clarification

Your algorithm should run in O(n) complexity.

题解

代码实现

public int longestConsecutive(int[] num) {
        HashSet<Integer> set = new HashSet<Integer>();
        for (int cur : num) {
            set.add(cur);
        }
        int length = 0;
        for (int cur : num) {
            int down = cur - 1;
            while (set.contains(down)) {
                set.remove(down);
                down--;
            }
            int up = cur + 1;
            while (set.contains(up)) {
                set.remove(up);
                up++;
            }
            length = Math.max(length, up - down - 1);
        }

        return length;
    }

源码分析

首先使用 HashSet 建哈希表,然后遍历数组,依次往左往右搜相邻数,搜到了就从 Set 中删除。末尾更新最大值。

复杂度分析

时间复杂度和空间复杂度均为 O(n).



算法leetcode Like Tweet +1