Intervue featured on Shark TankIntervue featured on Shark Tank - mobile banner

First Missing Positive

Given an unsorted integer array, find the smallest missing positive integer.

Constraints:

  • 1 <= nums.length <= 10^5
  • 231 <= nums[i] <= 2^31 - 1

Examples:

Input: [3,4,-1,1]

Output: 1

Explanation: The smallest missing positive integer is 1, which is not present in the array.

Input: [1,2,0]

Output: 3

Explanation: The smallest missing positive integer is 3, which is not present in the array.

Input: [7,8,9,11,12]

Output: 1

Explanation: The smallest missing positive integer is 1, which is not present in the array.

Solutions

In-place Hashing

Time: O(n)Space: O(1)

The solution uses in-place hashing to mark the presence of each number in the array. It iterates through the array and swaps each number with the number at its index, if possible. Then, it iterates through the array again to find the first missing positive integer.

function firstMissingPositive(nums) {
  if (nums.length === 0) return 1;

  let n = nums.length;

  for (let i = 0; i < n; i++) {
    while (nums[i] >= 1 && nums[i] <= n && nums[nums[i] - 1] !== nums[i]) {
      let temp = nums[nums[i] - 1];

      nums[nums[i] - 1] = nums[i];

      nums[i] = temp;
    }
  }

  for (let i = 0; i < n; i++) {
    if (nums[i] !== i + 1) return i + 1;
  }

  return n + 1;
}

Difficulty: Medium

Category: Array

Frequency: High

Company tags:

GoogleAmazonMicrosoft