Hard-题目29:41. First Missing Positive

题目原文:
Given an unsorted integer array, find the first missing positive integer.

For example,
Given [1,2,0] return 3,
and [3,4,-1,1] return 2.
题目大意:
给出一个未排序的整形数组,寻找第一个缺失的整数。
题目分析:
(这真是原创的)用hashset就好了,判断集合中是否有n却没有n+1.
源码:(language:java)

public class Solution {
    public int firstMissingPositive(int[] nums) {
        HashSet<Integer> set = new HashSet<Integer>();
        int max=0;
        for(int num:nums) {
            set.add(num);
            if(num>max)
                max=num;
        }
        if(!set.contains(1))
            return 1;
        for(int i=1;i<max;i++) {
            if(set.contains(i)&&!set.contains(i+1))
                return i+1;
        }
        return max+1;
    }

}
成绩:
3ms,3.77%,1ms,82.72%
cmershen的碎碎念:
题目要求O(n)复杂度和O(1)空间复杂度,但这个算法用到了hashset,看网上的题解似乎是一种基于桶排序的算法,我也不理解。

你可能感兴趣的:(Hard-题目29:41. First Missing Positive)