https://leetcode.com/problems/first-missing-positive/
정렬되지 않은 정수 배열이 주어질 때 없는 양의 정수 중 가장 작은 수를 반환
O(n) 내로 구현해야 하며 constant extra space 사용 가능
nums 배열이 모두 양의 정수로 이루어진 케이스 vs 아닌 케이스를 고려하면 된다.
public class Solution {
public int FirstMissingPositive(int[] nums) {
int[] positiveIntNums = new int[nums.Length];
foreach(int num in nums)
{
if (num > 0 && num <= nums.Length)
{
positiveIntNums[num - 1] = num;
}
}
for (int i = 0; i < positiveIntNums.Length; i++)
{
if (positiveIntNums[i] == 0)
{
return (i + 1);
}
}
return nums.Length + 1;
}
}