版权声明:转载请联系本人,感谢配合!本站地址:http://blog.csdn.net/nomasp https://blog.csdn.net/NoMasp/article/details/52435582
翻译
给定一个未排序的整型数组,找出第一个丢失的正数。
例如,
给定 [1,2,0],返回 3;
给定 [3,4,−1,1],返回 2。
你的算法应该运行在O(n)时间复杂度,并且使用常量空间。
原文
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.
Your algorithm should run in O(n) time and uses constant space.
分析
下面是一种偷懒的方法,使用Arrays.sort的复杂度就已经是nlog(n)了。
主要是将其分为以下几种情况:
- 空数组,返回1
- 长度为1的数组,元素等于1,返回2(1的下一个);不等于1,一律返回1
- 长度大于等于2的数组,包含元素1:依次遍历,找到第一个为正数,且和下一个数不连续的数,并返回其下一个数,如果都是连续的,返回最后一个数的下一个;不包含1,返回1
public int firstMissingPositive(int[] nums) {
int len = nums.length;
Arrays.sort(nums);
if (len < 1) return 1;
if (len == 1) {
if (nums[0] == 1)
return 2;
else return 1;
}
for (int n : nums) {
if (n == 1) {
for (int i = 0; i < len -1; i++) {
if (nums[i+1] - nums[i] <= 1) {
} else if (nums[i] > 0){
return nums[i] + 1;
}
}
return nums[len - 1] + 1;
}
}
return 1;
}