Skip to content

Latest commit

 

History

History
30 lines (21 loc) · 1.06 KB

find_the_missing_number_in_an_array.md

File metadata and controls

30 lines (21 loc) · 1.06 KB

Find the Missing Number in an Array

To find the missing number in an array that contains all numbers from 1 to n except one, you can use the sum formula of an arithmetic series.

Algorithm:

  1. Calculate the expected sum of the numbers from 1 to n using the formula n * (n + 1) / 2.
  2. Calculate the actual sum of the elements in the array.
  3. Subtract the actual sum from the expected sum to find the missing number.

Example:

function findMissingNumber(arr) {
    let n = arr.length + 1;
    let expectedSum = (n * (n + 1)) / 2;
    let actualSum = arr.reduce((sum, num) => sum + num, 0);
    return expectedSum - actualSum;
}

// Example usage
console.log(findMissingNumber([1, 2, 4, 5])); // Output: 3
console.log(findMissingNumber([1, 3, 4, 5])); // Output: 2

This method has a time complexity of O(n), where n is the length of the array.

Tags: basic, JavaScript, Arrays, Algorithm