问题描述:
给你一个未排序的整数数组,请你找出其中没有出现的最小的正整数。
示例 1:
输入: [1,2,0]
输出: 3
示例 2:
输入: [3,4,-1,1]
输出: 2
示例 3:
输入: [7,8,9,11,12]
输出: 1
提示:
你的算法的时间复杂度应为O(n),并且只能使用常数级别的额外空间。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/first-missing-positive
解决思路:
1. 假设几种极限情况,得出结果最小是1,最大是length+1.
2.双循环暴力查找
3.优化点:找到通过的数之后,再循环的时候忽略曾经通过的数
/*
*作者:赵星海
*时间:2020/8/5 10:02
*用途:缺失的第一个正数
*/
public int firstMissingPositive(int[] nums) {
//从题中得知:结果最小是1,最大是length+1.
//双循环暴力查找
//--------------------------
boolean isOK; //是否找到该数
for (int i = 1; i <= nums.length; i++) {
isOK = false;
for (int j = 0; j < nums.length; j++) {
if (i == nums[j]) {
//通过
isOK = true;
}
}
if (isOK == false) {
return i;
}
}
return nums.length + 1;
}
标签:双循环,nums,int,isOK,示例,算法,length,正数,缺失 From: https://blog.51cto.com/u_13520184/6115486