Create Dict With Multiple Values Out Of Two Lists. Group Multiple Keys Into One
I have two list: lists = ['a','b','c','d','e'] keys = [18,18,3,4,5] what I want is a dictionary like this: {18:['a','b'],3:'c',4:'d',5:'e'} I keep getting this: {18: ['a', 'b', '
Solution 1:
You can try this:
dicts = {key: [] for key in keys}
for k, v in zip(keys, lists):
dicts[k].append(v)
or
from collections import defaultdict
dicts = defaultdict(list)
for k, v in zip(keys, lists):
dicts[k].append(v)
Output:
{18: ['a', 'b'], 3: ['c'], 4: ['d'], 5: ['e']}
Solution 2:
Upon reading a post suggestion from stackoverflow:
dictionary = {k: [values[i] for i in [j for j, x in enumerate(keys) if x == k]] for k in set(keys)}
I have solved it.
Solution 3:
You can try this:
output = {}
for index, key in enumerate(keys):
if not key in output:
output[key] = lists[index]
else:
cur_val = output[key]
if type(cur_val) == str:
cur_val = [cur_val]
cur_val.append(lists[index])
output[key] = cur_val
print(output)
output:
{18: ['a', 'b'], 3: 'c', 4: 'd', 5: 'e'}
Solution 4:
Easy way is to use zip.
dictionary = dict(zip(keys, values))
Post a Comment for "Create Dict With Multiple Values Out Of Two Lists. Group Multiple Keys Into One"