How To Generate Enumerated Tuples From A Dictionary With A List Comprehension In Python?
How can I write a list comprehension to enumerate key: value pairs into 3-membered tuples from a Python dictionary? d = {'one': 'val1', 'two': 'val2', 'three': 'val3', 'four': 'val
Solution 1:
Nest your tuples. But the order may not be as desired.
li = [(index, k, val) for index, (k, val) in enumerate(d.items())]
Solution 2:
The output of enumerate() is a 2-element tuple. Since the value of that tuple is another 2-element tuple, you need to use parentheses to group them.
li = [(index, k, val) for index, (k, val) in enumerate(d.items())]
However, since a dict is by default unordered, you need to create an OrderedDict.
odict = collections.OrderedDict()
odict['one'] = 'val1'
odict['two'] = 'val2'
odict['three'] = 'val3'
odict['four'] = 'val4'
li = [(index, k, val) for (index, (k, val)) in enumerate(odict.items())]
This would give you the following value for li
[(0, 'one', 'val1'), (1, 'two', 'val2'), (2, 'three', 'val3'), (3, 'four', 'val4')]
Post a Comment for "How To Generate Enumerated Tuples From A Dictionary With A List Comprehension In Python?"