How to find the smallest missing number from an unsorted list in Python

2 Answers

0 votes
def findSmallestMissingNumber(lst):
    st = {*lst}
  
    index = 1
    while True:
        if index not in st:
            return index
        index += 1
  
lst = [1, 5, 2, 7, 4, 9, 12]
         
print(findSmallestMissingNumber(lst))
 
 
 
 
'''
run:
 
3
 
'''

 



answered Nov 21, 2021 by avibootz
0 votes
def findSmallestMissingNumber(lst):
    index = 1
    while True:
        if index not in lst:
            return index
        index += 1
   
lst = [1, 5, 2, 7, 4, 9, 12]
          
print(findSmallestMissingNumber(lst))
  
  
  
  
'''
run:
  
3
  
'''

 



answered Nov 21, 2021 by avibootz
...