如何相互减去列表?

时间:2019-04-08 05:03:58

标签: python list

我有两个函数分别使用下面的代码输出2个列表。我正在尝试从另一个列表中减去一个列表。

def ok(n):
    results = []
    for n in range (2, n+1):
        s = Sup(n)
        results.append(s)
    return(results)


def uk(m):
    result = []
    for m in range (2, m+1):
        t = Sdown(m)
        result.append(t)
    return(result)
print(ok(7))
print(uk(7))

uk(7) - ok(7)

打电话给我,确定(7),我得到:

[1.0833333333333333, 1.7178571428571427, 2.380728993228994, 3.05849519543652, 3.7438909037057684, 4.433147092589173]

对于uk(7),我得到:

[2.083333333333333, 2.7178571428571425, 3.380728993228993, 4.058495195436521, 4.743890903705768, 5.433147092589174]

我尝试过执行该操作:uk(7)-ok(7),但出现以下错误:

---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-23-3aa3eb52f7a8> in <module>
     18 print(uk(7))
     19 
---> 20 uk(7) - ok(7)

TypeError: unsupported operand type(s) for -: 'list' and 'list'

我该如何解决?

2 个答案:

答案 0 :(得分:1)

您无法从另一个列表中减去列表。尝试使用numpy或Zip

>>> l1 = [1.0833333333333333, 1.7178571428571427, 2.380728993228994, 3.05849519543652, 3.7438909037057684, 4.433147092589173]
>>> l2 = [2.083333333333333, 2.7178571428571425, 3.380728993228993, 4.058495195436521, 4.743890903705768, 5.433147092589174]

>>> import numpy as n
>>> n.array(l2) - n.array(l1)
    array([ 1.,  1.,  1.,  1.,  1.,  1.])

答案 1 :(得分:0)

使用zip配对列表中的元素,并使用列表理解来生成输出列表:

difference = [u - o for u, o in zip(uk(7), ok(7))]

zip通过组合两个列表uk(7)ok(7)的元素产生元组:

  • (<first item of uk(7)>, first item of ok(7)>)
  • (<second item of uk(7)>, second item of ok(7)>)
  • ...

在for循环中,将元组中的两个值解压缩为uo,并且difference列表是由所得的u - o值构成的。 / p>

如果您不了解“列表理解”,则会发现大量信息。