描述:
给出一个无序的正数数组,找出其中没有出现的最小正整数。
样例:
如果给出 [1,2,0]
, return 3
如果给出 [3,4,-1,1]
, return 2
思路:
最小证书的范围是(1,A.length),对A遍历,将在范围内的数字放在A[value - 1]的位置上。超出范围以及重复的数字,则放在末尾。遍历之后,low+1即为所求。
public class Solution {
/**
* @param A: an array of integers
* @return: an integer
*/
public int firstMissingPositive(int[] A) {
// write your code here
int low = 0;
int high = A.length;
while(low < high){
if(A[low] == low + 1){
low++;
}else if(A[low] <= low || A[low] > high || A[low] == A[A[low] - 1]){
A[low] = A[--high];
}else{
int temp = A[low];
A[low] = A[temp - 1];
A[temp - 1] = temp;
}
}
return low + 1;
}
}