0
the d1 is  defaultdict(<type 'list'>, {'A': [4, 4, 4, 4], 'S': [1]})
the d2 is  defaultdict(<type 'list'>, {'A': [4, 4, 4], 'B': [2], '[]': [4, 4]})

如何将这两个字典合二为一?

预期的输出应该是

the d3 is  defaultdict(<type 'list'>, {'A': [4], 'B': [2], 'S':[1] ,'[]': [4]})

在结果字典中,多个值应合二为一

4

3 回答 3

2

您应该使用 aset作为default_factory属性,因为集合不保留重复元素:

d1 = defaultdict(set)

要将现有defaultdict的 s 转换为 use sets,请尝试以下操作:

defaultdict(set, {key: set(value) for key, value in d1.iteritems()})

对于旧的 Python 版本:

defaultdict(set, dict((key, set(value)) for key, value in d1.iteritems()))
于 2012-08-04T18:23:45.807 回答
0

尝试:

d1.update(d2)
for val in d1.values():
    if len(val) > 1:
        val[:] = [val[0]]
于 2012-08-04T18:23:46.420 回答
0

以下是你所说的你想要的:

from collections import defaultdict

d1 = defaultdict(list, {'A': [4, 4, 4, 4], 'S': [1], 'C': [1, 2, 3, 4]})
print 'the d1 is ', d1
d2 = defaultdict(list, {'A': [4, 4, 4], 'B': [2], '[]': [4, 4], 'C': [1, 2, 3]})
print 'the d2 is ', d2

d3 = defaultdict(list, dict((key, set(value) if len(value) > 1 else value)
                                for key, value in d1.iteritems()))
d3.update((key, list(d3[key].union(set(value)) if key in d3 else value))
                                for key, value in d2.iteritems())
print
print 'the d3 is ', d3

输出:

the d1 is  defaultdict(<type 'list'>, {'A': [4, 4, 4, 4], 'S': [1], 'C': [1, 2, 3, 4]})
the d2 is  defaultdict(<type 'list'>, {'A': [4, 4, 4], 'C': [1, 2, 3], 'B': [2], '[]': [4, 4]})

the d3 is  defaultdict(<type 'list'>, {'A': [4], 'S': [1], 'B': [2], 'C': [1, 2, 3, 4], '[]': [4, 4]})

请注意,我添加了一个'C'以两者为键的列表,d1d2显示您的问题中未提及的可能性会发生什么 - 所以我不知道这是否是您想要发生的事情。

于 2012-08-05T02:27:28.357 回答