将不同列表中相同索引的所有元素求和

3
score=[
 ['5.00', '4.30', '2.50', '3.60', '1.30', '5.00'],
 ['80.00', '8.00', '32.00', '13.60', '20.00', '80.00'], 
 ['12.00', '6.00', '7.20', '8.40', '9.60', '12.00'],
 ['3.00', '1.20', '2.04', '1.08', '0.84', '3.00']
]

I want

a = 5 + 80 + 12 + 3   # add first element of all lists in score
b = 4.3 + 8 + 6 + 1.2   # add second element of all lists in score
c = 2.5 + 32 + 7.2 + 2.04  # etc ...
d = 3.6 + 13.6 + 8.4 + 1.08  # ...
e = 1.3 + 20 + 9.6 + 0.84
f = 5 + 80 + 12 + 3

但我不知道 score 里有多少个列表,所以我不能使用 zip()。在Python中如何对不同列表中相同索引的所有元素求和?


可能是将两个列表的值相加后放入新列表的SUM的重复问题。 - Valentin Lorentz
3个回答

2
实际上,你可以使用 zip
>>> map(sum, map(lambda l: map(float, l), zip(*score)))
[100.0, 19.5, 43.74, 26.68, 31.74, 100.0]

1

最好的方法是使用内置的zip1或函数2*运算符将“scores”解包到变量中,使用简单的赋值操作。然后使用sum内置函数计算总和。当然,您需要使用floatmap将元素转换为浮点数。

>>> score = [
... ['5.00', '4.30', '2.50', '3.60', '1.30', '5.00'],
...  ['80.00', '8.00', '32.00', '13.60', '20.00', '80.00'], 
... ['12.00', '6.00', '7.20', '8.40', '9.60', '12.00'],
...  ['3.00', '1.20', '2.04', '1.08', '0.84', '3.00']
... ]
>>> a, b, c, d, e, f = [sum(map(float, i)) for i in zip(*score)]
>>> a
100.0
>>> b
19.5
>>> c
43.74
>>> d
26.68
>>> e
31.74
>>> f
100.0

  1. Python 3.x
  2. Python 2.x

0
稍微不同的方式:
score = [
    ['5.00', '4.30', '2.50', '3.60', '1.30', '5.00'],
    ['80.00', '8.00', '32.00', '13.60', '20.00', '80.00'], 
    ['12.00', '6.00', '7.20', '8.40', '9.60', '12.00'],
    ['3.00', '1.20', '2.04', '1.08', '0.84', '3.00']
]

def sum_same_elements(l):
    l_float = [map(float, lst) for lst in l]
    to_sum  = []
    for i in range(len(l[0])):
        lst_at_index = []
        for lst in l_float:
            lst_at_index.append(lst[i])
        to_sum.append(lst_at_index)
    return map(sum, to_sum)

print sum_same_elements(score)

网页内容由stack overflow 提供, 点击上面的
可以查看英文原文,
原文链接