Enumerate Dictionary Iterating Key and Value [duplicate]

Given a dictionary d:

d
# {'A': 1, 'B': 2, 'C': 3, 'D': 4}

You can use a tuple to unpack the key-value pairs in the for loop header.

for i, (k, v) in enumerate(d.items()):
     print(i, k, v)

# 0 A 1
# 1 B 2
# 2 C 3
# 3 D 4

To understand why the extra parens are needed, look at the raw output from enumerate:

list(enumerate(d.items()))
# [(0, ('A', 1)), (1, ('B', 2)), (2, ('C', 3)), (3, ('D', 4))]

The key-value pairs are packaged inside tuples, so they must be unpacked in the same way.

Leave a Comment