Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Iterate dict in python using next()

Is it possible to iterate dictionary in python using next(). (I need to access keys and values). Also would it work for extendable dictionaries with non-fixed length?


1 Answers

Use items to get the pairs key/value and iter() to be able to call next

content = dict(zip(range(10), range(10, 20)))
print(content)  # {0: 10, 1: 11, 2: 12, 3: 13, 4: 14, 5: 15, 6: 16, 7: 17, 8: 18, 9: 19}

iterable = iter(content.items())
print(next(iterable))  # (0, 10)
print(next(iterable))  # (1, 11)
print(next(iterable))  # (2, 12)
print(next(iterable))  # (3, 13)
like image 82
azro Avatar answered Sep 07 '25 15:09

azro