Python删除组合字典列表中的重复值

我需要一些功课帮助.我必须编写一个将几个字典组合成新字典的函数.如果一个键出现不止一次;与新词典中的该键对应的值应该是唯一列表.作为一个例子,这是我到目前为止:

f = {'a': 'apple', 'c': 'cat', 'b': 'bat', 'd': 'dog'}
g =  {'c': 'car', 'b': 'bat', 'e': 'elephant'}
h = {'b': 'boy', 'd': 'deer'}
r = {'a': 'adam'}

def merge(*d):
    newdicts={}
    for dict in d:
        for k in dict.items():
            if k[0] in newdicts:
                newdicts[k[0]].append(k[1])
            else:
                newdicts[k[0]]=[k[1]]
    return newdicts

combined = merge(f, g, h, r)
print(combined)

输出如下:

{‘a’:[‘apple’,’adam’],’c’:[‘cat’,’car’],’b’:[‘bat’,’bat’,’boy’],’e’ :[‘elephant’],’d’:[‘dog’,’deer’]}

在’b’键下,’bat’出现两次.如何删除重复项?

我看过滤镜,lambda但我无法弄清楚如何使用(也许b / c它是字典中的列表?)

任何帮助,将不胜感激.并提前感谢您的帮助!

解决方法:

在添加之前,只需测试列表中的元素: –

for k in dict.items():
    if k[0] in newdicts:
        if k[1] not in newdicts[k[0]]:  # Do this test before adding.
            newdicts[k[0]].append(k[1])
    else:
        newdicts[k[0]]=[k[1]]

由于您只需要值列表中的唯一元素,因此您只需使用Set as值即可.此外,您可以在此处使用defaultdict,这样您就无需在添加之前测试密钥存在.

另外,不要使用内置作为变量名.而不是dict一些其他变量.

因此,您可以将合并方法修改为:

from collections import defaultdict

def merge(*d):
    newdicts = defaultdict(set)  # Define a defaultdict
    for each_dict in d:

        # dict.items() returns a list of (k, v) tuple.
        # So, you can directly unpack the tuple in two loop variables.
        for k, v in each_dict.items():  
            newdicts[k].add(v)

    # And if you want the exact representation that you have shown   
    # You can build a normal dict out of your newly built dict.
    unique = {key: list(value) for key, value in newdicts.items()}
    return unique
上一篇:java – 输入重复键时保持原始键/值的Hashmap


下一篇:列出MySQL表中特定列中具有重复条目的所有行