我有两个这样的字典:
dict1 = {'foo': {'something':'x'} }
dict2 = {'foo': {'otherthing':'y'} }
我想将这些价值观结合在一起,以便:
dict3 = {'foo': {'something':'x', 'otherthing':'y'} }
我怎样才能做到这一点?
注意:两个字典总是有匹配的键。
我有两个这样的字典:
dict1 = {'foo': {'something':'x'} }
dict2 = {'foo': {'otherthing':'y'} }
我想将这些价值观结合在一起,以便:
dict3 = {'foo': {'something':'x', 'otherthing':'y'} }
我怎样才能做到这一点?
注意:两个字典总是有匹配的键。
您可以尝试使用dict comprehension:
>>> dict1 = {'foo': {'something':'x'} }
>>> dict2 = {'foo': {'otherthing':'y'} }
>>>
>>> {key: dict(dict1[key], **dict2[key]) for key in dict1}
{'foo': {'otherthing': 'y', 'something': 'x'}}
>>> # ---Or---
>>> {keys: dict(dict1[keys].items() + dict2[keys].items()) for keys in dict1}
{'foo': {'otherthing': 'y', 'something': 'x'}}
他们只是使用两种不同的方式来合并字典。
您可以使用collections.defaultdict
:
>>> from collections import defaultdict
>>> dic = defaultdict(dict)
for k in dict1:
dic[k].update(dict1[k])
dic[k].update(dict2[k])
...
>>> dic
defaultdict(<type 'dict'>,
{'foo': {'otherthing': 'y', 'something': 'x'}
})
也可以使用 for 循环来完成:
>>> dict3 = {}
>>> for x in dict1.keys():
for y in dict1[x].keys():
for z in dict2[x].keys():
dict3[x] = {y: dict1[x][y], z: dict2[x][z]}
>>> dict3
{'foo': {'otherthing': 'y', 'something': 'x'}}
另一种选择,作为更短的单行字典理解:
{ k : dict(dict2[k].items() + v.items()) for k, v in dict1.items() }