Python:两个相同大小的有序numpy数组的矢量化比较

时间:2017-09-06 12:53:22

标签: python arrays numpy elementwise-operations

我想在Python中比较两个相同大小的有序numpy数组,并输出在同一位置具有相同值的公共元素:

import numpy as np
a = np.asarray([20, 35, 226, 62, 129, 108, 156, 225, 115, 35, 162, 43, 9, 120, 181, 220])
b = np.asarray([1, 35, 69, 103, 137, 171, 205, 239, 18, 52, 86, 120, 154, 188, 222, 240])

元素比较将给出:[35]

你能帮助我吗?

4 个答案:

答案 0 :(得分:2)

你显然不需要设置交集。 Zip 列表并比较相同索引处的项目:

>>> [x for x, y in zip(a, b) if x==y]
[35]

答案 1 :(得分:2)

如果你正在使用NumPy,那么你可以使用布尔掩码:

import numpy as np 
a = np.asarray([20, 35, 226, 62, 129, 108, 156, 225, 115, 35, 162, 43, 9, 120, 181, 220])
b = np.asarray([1, 35, 69, 103, 137, 171, 205, 239, 18, 52, 86, 120, 154, 188, 222, 240])
c = a[a == b]
print(c) # [35]

答案 2 :(得分:0)

这样的事情可以起作用:

l = []
for x,y in zip(a,b):
   if x == y: 
      l.append(x)

在列表理解方面可以这样写:

l = [x for x,y in zip(a,b) if x == y]

解释

zip(a,b)将生成以下内容:

>>> zip(a,b)
[(20, 1), (35, 35), (226, 69), (62, 103), (129, 137), (108, 171), (156, 205), (225, 239), (115, 18), (35, 52), (162, 86), (43, 120), (9, 154), (120, 188), (181, 222), (220, 240)]
>>>

然后,迭代zip(a,b)结果的每个元素(x,y)并比较x和y。

可重复的例子:

>>> a = [20, 35, 226, 62, 129, 108, 156, 225, 115, 35, 162, 43, 9, 120, 181, 220
>>> b = [1, 35, 69, 103, 137, 171, 205, 239, 18, 52, 86, 120, 154, 188, 222, 240
>>> zip(a,b)
[(20, 1), (35, 35), (226, 69), (62, 103), (129, 137), (108, 171), (156, 205), (2
>>> [x for x,y in zip(a,b) if x == y ]
[35]
>>>

答案 3 :(得分:0)

类似的东西可以完成这项工作,不过使用zip更加蟒蛇......

for index, value in enumerate(a):
if value == b[index]:
    c.append(value)