根据键/值标准汇总字典数组中的某些值

时间:2020-03-30 08:59:57

标签: python arrays json list dictionary

我有以下论坛帖子的JSON。 创建每个论坛汇总的正面/负面评分的结果JSON的Python方式是什么?

输入Json:

{"Posting_Stats":{
      "Posts":[
         {
            "Date":"2020-03-29 12:41:00",
            "Forum":"panorama",
            "Positive":2,
            "Negative":0
         },
         {
            "Date":"2020-03-29 12:37:00",
            "Forum":"web",
            "Positive":6,
            "Negative":0
         },
         {
            "Date":"2020-03-29 12:37:00",
            "Forum":"web",
            "Positive":2,
            "Negative":2
         },...]}

输出应为:

{"Forum_Stats" : [{"Forum" : "panorama",
                  "Positive":2,
                  "Negative":0},
                 {"Forum" : "web",
                  "Positive":8,
                  "Negative":2},...]
}

]

2 个答案:

答案 0 :(得分:0)

这可能是解决问题的一种方式:

#taking the input in a dictionary
d = {"Posting_Stats":{
      "Posts":[
         {
            "Date":"2020-03-29 12:41:00",
            "Forum":"panorama",
            "Positive":2,
            "Negative":0
         },
         {
            "Date":"2020-03-29 12:37:00",
            "Forum":"web",
            "Positive":6,
            "Negative":0
         },
         {
            "Date":"2020-03-29 12:37:00",
            "Forum":"web",
            "Positive":2,
            "Negative":2
         }]}}

#iterating over the values to get their some on the basis of forum as key
temp = {}
for i in d.get('Posting_Stats').get('Posts'):
    if temp.get(i.get('Forum')) == None:
        temp[i.get('Forum')] = {}
        temp[i.get('Forum')]['Positive'] = 0
        temp[i.get('Forum')]['Negative'] = 0
    temp[i.get('Forum')]['Positive']+=i.get('Positive')
    temp[i.get('Forum')]['Negative']+=i.get('Negative')

最终将输出转换为所需的格式

output = [{'Forum': i , **temp[i] } for i in temp]
print(output)

#[{'Forum': 'panorama', 'Positive': 2, 'Negative': 0},
#{'Forum': 'web', 'Positive': 8, 'Negative': 2}]

答案 1 :(得分:0)

无法想到其他方式:

posts = inputData['Posting_Stats']['Posts']
postAggregator = {}
for post in posts:
    try:
        postAggregator[post['Forum']]['Positive'] += post.get('Positive',0)
        postAggregator[post['Forum']]['Negative'] += post.get('Negative',0)
    except KeyError:
        postAggregator.update({post['Forum']:{"Positive":post.get('Positive',0), "Negative":post.get('Negative',0)}})

outputData = {"Forum_Stats": []}
for key, value in postAggregator.items():
    outputData['Forum_Stats'].append({"Forum":key , "Positive":value['Positive'],"Negative":value['Negative']})

print(outputData)

输出:

{'Forum_Stats': [{'Forum': 'panorama', 'Positive': 2, 'Negative': 0}, {'Forum': 'web', 'Positive': 8, 'Negative': 2}]}