这是我的问题。给出 list
xList = [9, 13, 10, 5, 3]
我想计算每个元素的总和乘以后续元素
sum([9*13, 9*10, 9*5 , 9*3]) +
sum([13*10, 13*5, 13*3]) +
sum([10*5, 10*3]) +
sum ([5*3])
在这种情况下,答案是 608 。
有没有办法用
itertools
或 native 用numpy
做到这一点?以下是我想出的功能。它可以完成工作,但由于我也想添加其他内容,因此它远非理想。
def SumProduct(xList):
''' compute the sum of the product
of a list
e.g.
xList = [9, 13, 10, 5, 3]
the result will be
sum([9*13, 9*10, 9*5 , 9*3]) +
sum([13*10, 13*5, 13*3]) +
sum([10*5, 10*3]) +
sum ([5*3])
'''
xSum = 0
for xnr, x in enumerate(xList):
#print xnr, x
xList_1 = np.array(xList[xnr+1:])
#print x * xList_1
xSum = xSum + sum(x * xList_1)
return xSum
任何帮助表示赞赏。
N.B:如果您想知道,我正在尝试使用 Pandas 实现Krippendorf's alpha
最佳答案
这是一种方法:
In [14]: x = [9, 13, 10, 5, 3]
In [15]: np.triu(np.outer(x, x), k=1).sum()
Out[15]: 608
但我会接受@ user2357112的回答。
关于python - 列表中对的乘积之和,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30039334/