如何在Python 3中计算字典中的每组值?

时间:2012-10-26 19:57:45

标签: python dictionary counting

我有一个在多个键下有多个值的字典。我不想要一个值的总和。我想找到一种方法来找到每个键的总和。 该文件以制表符分隔,标识符是其中两个项目Btarg的组合。每个标识符都有多个值 这是一个测试文件: 这是一个测试文件,其中包含以下所需的结果:

模式项目丰度

1 Ant 2

2只狗10

3长颈鹿15

1 Ant 4

2 Dog 5

以下是预期结果:

Pattern1Ant,6

Pattern2Dog,15

Pattern3Giraffe,15

这是我到目前为止所做的:

for line in K:

    if "pattern" in line:
        find = line
        Bsplit = find.split("\t")
        Buid = Bsplit[0]
        Borg = Bsplit[1]
        Bnum = (Bsplit[2])
        Btarg = Buid[:-1] + "//" + Borg


        if Btarg not in dict1:
            dict1[Btarg] = []
        dict1[Btarg].append(Bnum)
    #The following used to work
    #for key in dict1.iterkeys():
        #dict1[key] = sum(dict1[key])
    #print (dict1)

如何在Python 3中完成此工作,而不会出现错误消息“+:'int'和'list'的不支持的操作数类型? 提前谢谢!

1 个答案:

答案 0 :(得分:1)

使用from collections import Counter

来自documentation

c = Counter('gallahad')
Counter({'a': 3, 'l': 2, 'h': 1, 'g': 1, 'd': 1})

回应你的评论,现在我想我知道你想要什么,虽然我不知道你的数据是什么结构。我会理所当然地认为你可以像这样组织你的数据:

In [41]: d
Out[41]: [{'Ant': 2}, {'Dog': 10}, {'Giraffe': 15}, {'Ant': 4}, {'Dog': 5}]

首先创建一个defaultdict

from collections import defaultdict
a = defaultdict(int)

然后开始兜售:

In [42]: for each in d:
            a[each.keys()[0]] += each.values()[0]

结果:

In [43]: a
Out[43]: defaultdict(<type 'int'>, {'Ant': 6, 'Giraffe': 15, 'Dog': 15})

更新2

假设您可以采用以下格式获取数据:

In [20]: d
Out[20]: [{'Ant': [2, 4]}, {'Dog': [10, 5]}, {'Giraffe': [15]}]

In [21]: from collections import defaultdict

In [22]: a = defaultdict(int)

In [23]: for each in d:
    a[each.keys()[0]] =sum(each.values()[0])
   ....:     

In [24]: a
Out[24]: defaultdict(<type 'int'>, {'Ant': 6, 'Giraffe': 15, 'Dog': 15})