leetcode 128. 最长连续序列
给定一个未排序的整数数组 nums ,找出数字连续的最长序列(不要求序列元素在原数组中连续)的长度。
进阶:你可以设计并实现时间复杂度为 O(n) 的解决方案吗?
示例 1:
输入:nums = [100,4,200,1,3,2]
输出:4
解释:最长数字连续序列是 [1, 2, 3, 4]。它的长度为 4。
示例 2:
输入:nums = [0,3,7,2,5,8,4,6,0,1]
输出:9
提示:
0 <= nums.length <= 104
-109 <= nums[i] <= 109
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/longest-consecutive-sequence
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
先把数组转换为map,方便查找。
遍历数组中的每个数字,之后分别以此数组为原点,分别向前和向后查找,直到找不到为止。
为了防止重复查找,可以把查找过的数字设置为空。
public int longestConsecutive(int[] nums) { int length = nums.length; if (length == 0) { return 0; } Map<Integer, Integer> map = new HashMap<>(length << 1); for (int num : nums) { map.put(num, 1); } int max = 0; for (int i = 0; i < length; i++) { int num = nums[i]; Integer value = map.get(num); if (value != null) { int st = num; int end = num; while (map.get(++end) != null) { map.put(end, null); } while (map.get(--st) != null) { map.put(st, null); } max = Math.max(max, end - st); } } return max - 1; }