如何将字典值替换为字典的键及其键值
How to replace a dictionary values to keys of a dictionary and its keys to values
这里有人知道我做错了什么吗?
我需要根据键的值从键中获取一本新字典...
例如,如果我有以下字典
dic = {'b':1, 'i':2, 'c':2, 'l':1, 'e':1, 'a':1}
我需要找一本新字典,看起来像这样
newdic = {1:['b', 'l', 'e', 'a'],2:['i', 'c']
或者可能是其他具有字典理解力的东西
我有以下代码无法正常工作
newdic={}
dic = {'b':1, 'i':2, 'c':2, 'l':1, 'e':1, 'a':1}
for letter in dic:
newdic[dic.get(letter)] = [newdic.get(dic.get(letter), [])].append(letter)
print(newdic)
我们可以使用 collections.defaultdict
和一个简单的循环来反转您的数据。
from collections import defaultdict
def reverse_dict(inp):
output = defaultdict(list)
for k, v in inp.items():
output[v].append(k)
return dict(output)
output = reverse_dict(dic)
print(output)
#{1: ['b', 'l', 'e', 'a'], 2: ['i', 'c']}
有一种方法可以使用字典理解来完成,但它的可读性较差:
>>> {v: [k for k, v1 in dic.items() if v == v1] for v in dic.values()}
{1: ['b', 'l', 'e', 'a'], 2: ['i', 'c']}
这里有一个简单的方法:
newdic={}
dic = {'b':1, 'i':2, 'c':2, 'l':1, 'e':1, 'a':1}
for letter in dic:
if dic[letter] not in newdic:
newdic[dic[letter]] = []
newdic[dic[letter]].append(letter)
print(newdic)
get 方法的问题是您没有创建密钥。相等只加键,不加字母
这里有人知道我做错了什么吗? 我需要根据键的值从键中获取一本新字典... 例如,如果我有以下字典
dic = {'b':1, 'i':2, 'c':2, 'l':1, 'e':1, 'a':1}
我需要找一本新字典,看起来像这样
newdic = {1:['b', 'l', 'e', 'a'],2:['i', 'c']
或者可能是其他具有字典理解力的东西 我有以下代码无法正常工作
newdic={}
dic = {'b':1, 'i':2, 'c':2, 'l':1, 'e':1, 'a':1}
for letter in dic:
newdic[dic.get(letter)] = [newdic.get(dic.get(letter), [])].append(letter)
print(newdic)
我们可以使用 collections.defaultdict
和一个简单的循环来反转您的数据。
from collections import defaultdict
def reverse_dict(inp):
output = defaultdict(list)
for k, v in inp.items():
output[v].append(k)
return dict(output)
output = reverse_dict(dic)
print(output)
#{1: ['b', 'l', 'e', 'a'], 2: ['i', 'c']}
有一种方法可以使用字典理解来完成,但它的可读性较差:
>>> {v: [k for k, v1 in dic.items() if v == v1] for v in dic.values()}
{1: ['b', 'l', 'e', 'a'], 2: ['i', 'c']}
这里有一个简单的方法:
newdic={}
dic = {'b':1, 'i':2, 'c':2, 'l':1, 'e':1, 'a':1}
for letter in dic:
if dic[letter] not in newdic:
newdic[dic[letter]] = []
newdic[dic[letter]].append(letter)
print(newdic)
get 方法的问题是您没有创建密钥。相等只加键,不加字母