mirror of
https://github.com/TheAlgorithms/Python.git
synced 2024-11-24 05:21:09 +00:00
cfabd91a8b
* Added missing_number algorithm using bit manipulation * Update bit_manipulation/missing_number.py --------- Co-authored-by: Christian Clauss <cclauss@me.com>
22 lines
416 B
Python
22 lines
416 B
Python
def find_missing_number(nums: list[int]) -> int:
|
|
"""
|
|
Finds the missing number in a list of consecutive integers.
|
|
|
|
Args:
|
|
nums: A list of integers.
|
|
|
|
Returns:
|
|
The missing number.
|
|
|
|
Example:
|
|
>>> find_missing_number([0, 1, 3, 4])
|
|
2
|
|
"""
|
|
n = len(nums)
|
|
missing_number = n
|
|
|
|
for i in range(n):
|
|
missing_number ^= i ^ nums[i]
|
|
|
|
return missing_number
|