我有一个字典列表:
dictlist = [{'url': 'google.com', 'a': 10, 'content': 'google', 'd': 80, 'f': 1, 'lock': 'dd'}, {'url': 'fb.com', 'z': 25, 'content': 'google', 'd': 60, 'p': 1, 'a': 19}]
我需要从上面dictlist
创建一个新词典。
newdict= {}
sumlist = ['a', 'z', 'd'] #Get values for these from dictlist
for dict in dictlist:
newdict['newurl'] = dict['url']
newdict['newtitle'] = dict['content']
newdict['sumvalue'] = ?????
#so that for 1st item its 'sumvalue'= a + z + d = 10 + 0 + 80 = 90 (zero for 'z')
#and 2nd item has 'sumvalue' = a + z + d = 19 + 25 + 60 = 104
print newdict[0] # should result {'newurl': 'google.com', 'newtitle': 'google', 'sumvalue' : 80 }
我不知道如何遍历dict
的{{1}},以便从列表dictlist
中获取所有值的总和
我需要获取所有相应字典项的值的总和。
请建议。
答案 0 :(得分:1)
看起来你想要一个新的词典列表,里面有总和:
dictlist = [{'url': 'google.com', 'a': 10, 'content': 'google', 'd': 80, 'f': 1, 'lock': 'dd'},
{'url': 'fb.com', 'z': 25, 'content': 'google', 'd': 60, 'p': 1, 'a': 19}]
result = []
sumlist = ['a', 'z', 'd']
for d in dictlist:
result.append({'newurl': d['url'],
'newtitle': d['content'],
'sumvalue': sum(d.get(item, 0) for item in sumlist)})
print result
打印:
[{'newtitle': 'google', 'sumvalue': 90, 'newurl': 'google.com'},
{'newtitle': 'google', 'sumvalue': 104, 'newurl': 'fb.com'}]
或者,单行相同:
print [{'newurl': d['url'], 'newtitle': d['content'], 'sumvalue': sum(d.get(item, 0) for item in ['a', 'z', 'd'])} for d in dictlist]
答案 1 :(得分:0)
使用dict.get(key, defaultvalue)
,如果密钥不在字典中,则会得到defaultvalue。
>>> d = {'a': 1, 'b': 2}
>>> d.get('a', 0)
1
>>> d.get('z', 0)
0
>>> dictlist = [
... {'url': 'google.com', 'a': 10, 'content': 'google', 'd': 80, 'f': 1, 'lock': 'dd'},
... {'url': 'fb.com', 'z': 25, 'content': 'google', 'd': 60, 'p': 1, 'a': 19}
... ]
>>>
>>> newdictlist = []
>>> sumlist = ['a', 'z', 'd']
>>> for d in dictlist:
... newdict = {}
... newdict['newurl'] = d['url']
... newdict['newtitle'] = d['content']
... newdict['sumvalue'] = sum(d.get(key, 0) for key in sumlist)
... newdictlist.append(newdict)
...
>>> newdictlist[0]
{'newtitle': 'google', 'sumvalue': 90, 'newurl': 'google.com'}
>>> newdictlist[1]
{'newtitle': 'google', 'sumvalue': 104, 'newurl': 'fb.com'}