Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Enumerate Dictionary Iterating Key and Value [duplicate]

Tags:

I have a dictionary called regionspointcount that holds region names (str) as the keys and a count of a type of feature within that region (int) as the values e.g. {'Highland':21}.

I am wanting to iterate the key and value of dictionary while enumerating. Is there a way to do something like:

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

or do I have to resort to using a count variable?

like image 591
Worm Avatar asked Oct 09 '17 22:10

Worm


1 Answers

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.

like image 141
cs95 Avatar answered Oct 20 '22 21:10

cs95