合并字典而不覆盖,而是在密钥相等时添加值

时间:2012-08-31 14:31:31

标签: python dictionary merge

有没有办法更新()一个字典而不会盲目地覆盖同一个键的值? 例如,我想在我的策略中为相同的键添加值,如果我找到它,并连接如果找不到键。

d1 = {'eggs':3, 'ham':2, 'toast':1}
d2 = {'eggs':2,'ham':1}

dresult = d1.myUpdate(d2)

print dresult 
{'eggs':5,'ham':3,'toast':1}

2 个答案:

答案 0 :(得分:7)

你可以使用Counter(在python 2.7中引入):

from collections import Counter
d1 = {'eggs':3, 'ham':2, 'toast':1}
d2 = {'eggs':2,'ham':1}
dresult = Counter(d1) + Counter(d2)  #Counter({'eggs': 5, 'ham': 3, 'toast': 1})

如果你需要一个适用于python2.5 +的版本,defaultdict也可以工作(虽然不是很好):

from collections import defaultdict    
d1 = {'eggs':3, 'ham':2, 'toast':1}
d2 = {'eggs':2,'ham':1}
d = defaultdict(int)
dresult.update(d1)
for k,v in d2.items():
   dresult[k] += v

虽然你可以实现等效的python2。结果使用字典的setdefault方法......

答案 1 :(得分:6)

使用计数器:

from collections import Counter
d1 = Counter({'eggs':3, 'ham':2, 'toast':1})
d2 = Counter({'eggs':2,'ham':1})
print d1 + d2