Warning: file_get_contents(/data/phpspider/zhask/data//catemap/2/python/308.json): failed to open stream: No such file or directory in /data/phpspider/zhask/libs/function.php on line 167

Warning: Invalid argument supplied for foreach() in /data/phpspider/zhask/libs/tag.function.php on line 1116

Notice: Undefined index: in /data/phpspider/zhask/libs/function.php on line 180

Warning: array_chunk() expects parameter 1 to be array, null given in /data/phpspider/zhask/libs/function.php on line 181
Python 更新字典列表中的值_Python_Dictionary - Fatal编程技术网

Python 更新字典列表中的值

Python 更新字典列表中的值,python,dictionary,Python,Dictionary,我有一个类似这样的字典列表: users=[{"name": "David", "team": "reds", "score1": 100, "score2": 20,}, {"name": "David", "team": "reds", "score1": 20, "score2": 60,}, {"name": "David", "team": "blues", "score1": 10, "score2": 70,}] 我真的很想得到一个新的字典列表,比如

我有一个类似这样的字典列表:

users=[{"name": "David", "team": "reds", "score1": 100, "score2": 20,},
       {"name": "David", "team": "reds", "score1": 20, "score2": 60,},
       {"name": "David", "team": "blues", "score1": 10, "score2": 70,}]
我真的很想得到一个新的字典列表,比如

summary=[{"team": "reds", "total1": 120, "total2": 80,},
         {"team": "blues", "total1": 120, "total2": 80,}]
最好只循环一次原始数据。我可以创建一个字典,其中包含每个用户键的总值

summary = dict()
for user in users:
   if not user['team'] in summary:
      summary[user['team']]=float(user['score1'])
   else:
      summary[user['team']]+=float(user['score1'])
给予

summary = {'reds': 120,'blues': 10}
但是我正在努力制作字典列表,我能得到的最接近的方法是在团队的第一个实例中创建一个字典,然后在后续的实例中尝试附加到它的值

summary = []
for user in users:
   if any(d['team'] == user['team'] for d in summary):
      # append to values in the relevant dictionary
      # ??
   else:
      # Add dictionary to list with some initial values
      d ={'team':user['team'],'total1':user['score1'],'total2':user['score2']}
      summary.append(dict(d))
…而且它变得一团糟。。。我是不是完全错了?您可以在列表中更改字典中的值吗


谢谢

你真的很接近,你只需要找到一种方法来查找要更新的词典。这是我能看到的最简单的方法

summary = dict()
for user in users:
   team = user['team']
   if team not in summary:
      summary[team] = dict(team=team,
                           score1=float(user['score1']), 
                           score2=float(user['score2']))
   else:
      summary[team]['score1'] += float(user['score1'])
      summary[team]['score2'] += float(user['score2'])
然后


我认为这是使用python库的好例子:

>>> import pandas as pd
>>> dfUsers = pd.DataFrame(users)
>>> dfUsers

    name  score1  score2   team
0  David     100      20   reds
1  David      20      60   reds
2  David      10      70  blues

>>> dfUsers.groupby('team').sum()

       score1  score2
team                 
blues      10      70
reds      120      80
如果你真的想把它放到
dict

>>> dfRes = dfUsers.groupby('team').sum()
>>> dfRes.columns = ['total1', 'total2']  # if you want to rename columns
>>> dfRes.reset_index().to_dict(orient='records')

[{'team': 'blues', 'total1': 10, 'total2': 70},
 {'team': 'reds', 'total1': 120, 'total2': 80}]
另一种方法是:

或者,如果您确实想要简单的python:

>>> res = dict()
>>> for x in users:
       if x['team'] not in res:
           res[x['team']] = [x['score1'], x['score2']]
       else:
           res[x['team']][0] += x['score1']
           res[x['team']][1] += x['score2']
>>> res = [{'team': k, 'total1': v[0], 'total2': v[1]} for k, v in res.iteritems()}]
>>> res

[{'team': 'reds', 'total1': 120, 'total2': 80},
 {'team': 'blues', 'total1': 10, 'total2': 70}]

有关解释,请参见注释内联

import pprint

users=[{"name": "David", "team": "reds", "score1": 100, "score2": 20,},
       {"name": "David", "team": "reds", "score1": 20, "score2": 60,},
       {"name": "David", "team": "blues", "score1": 10, "score2": 70,}]

scores_by_team = dict()
for user in users:
    if user['team'] not in scores_by_team:
        # Make sure you're gonna have your scores zeroed so you can add the
        # user's scores later
        scores_by_team[user['team']] = {
            'total1': 0,
            'total2': 0
        }
    # Here the user's team exists for sure in scores_by_team
    scores_by_team[user['team']]['total1'] += user['score1']
    scores_by_team[user['team']]['total2'] += user['score2']

# So now, the scores you want have been calculated in a dictionary where the
# keys are the team names and the values are another dictionary with the scores
# that you actually wanted to calculate
print "Before making it a summary: %s" % pprint.pformat(scores_by_team)
summary = list()
for team_name, scores_by_team in scores_by_team.items():
    summary.append(
        {
            'team': team_name,
            'total1': scores_by_team['total1'],
            'total2': scores_by_team['total2'],
        }
    )

print "Summary: %s" % summary
这将产生:

Before making it a summary: {'blues': {'total1': 10, 'total2': 70}, 'reds': {'total1': 120, 'total2': 80}}
Summary: [{'total1': 120, 'total2': 80, 'team': 'reds'}, {'total1': 10, 'total2': 70, 'team': 'blues'}]

以下是我的解决方案,它假设所有需要添加的分数都以
分数开始:

users=[{"name": "David", "team": "reds", "score1": 100, "score2": 20,},
       {"name": "David", "team": "reds", "score1": 20, "score2": 60,},
       {"name": "David", "team": "blues", "score1": 10, "score2": 70,}]

totals = {}
for item in users:
    team = item['team']
    if team not in totals:
        totals[team] = {}
    for k,v in item.items():
        if k.startswith('score'):
            if k in totals[team]:
                totals[team][k] += v
            else:
                totals[team][k] = v
print totals
输出:
谢谢大家的帮助,现在选择使用哪种方法:-)
Before making it a summary: {'blues': {'total1': 10, 'total2': 70}, 'reds': {'total1': 120, 'total2': 80}}
Summary: [{'total1': 120, 'total2': 80, 'team': 'reds'}, {'total1': 10, 'total2': 70, 'team': 'blues'}]
users=[{"name": "David", "team": "reds", "score1": 100, "score2": 20,},
       {"name": "David", "team": "reds", "score1": 20, "score2": 60,},
       {"name": "David", "team": "blues", "score1": 10, "score2": 70,}]

totals = {}
for item in users:
    team = item['team']
    if team not in totals:
        totals[team] = {}
    for k,v in item.items():
        if k.startswith('score'):
            if k in totals[team]:
                totals[team][k] += v
            else:
                totals[team][k] = v
print totals
{'reds': {'score1': 120, 'score2': 80}, 'blues': {'score1': 10, 'score2': 70}}