简体   繁体   中英

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', 'c', 'd', 'e'], 3: ['a', 'b', 'c', 'd', 'e'], 4: ['a', 'b', 'c', 'd', 'e'], 5: ['a', 'b', 'c', 'd', 'e']}

I appreciate any advice!!

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']}

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.

Easy way is to use zip.

dictionary = dict(zip(keys, values))

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'}

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM