np.where返回一个包含numpy数组的空数组

时间:2018-06-23 15:13:02

标签: python numpy where

我有这个:

import numpy as np

mol= np.array([[0, 1, 2, 3, 4], [5, 6, 7, 8, 9], [10, 11, 12, 13, 14], [15, 16, 17, 18, 19], [20], [21], [22], [23], [24], [25], [26], [27]])
i = np.where(mol == 7)
print(i)

但这是回报

(array([], dtype=int64),)

另外,如果我愿意

i = np.where(mol == 7)

返回相同的

出什么问题了?谢谢!

1 个答案:

答案 0 :(得分:2)

创建带有锯齿状列表的numpy数组时,所得的numpy数组将为dtype object,并包含列表。

>>> x = np.array([[1], [1,2]])
>>> x
array([list([1]), list([1, 2])], dtype=object)

您可以在输入列表中清楚地看到相同的结果:

array([list([0, 1, 2, 3, 4]), list([5, 6, 7, 8, 9]),
       list([10, 11, 12, 13, 14]), list([15, 16, 17, 18, 19]), list([20]),
       list([21]), list([22]), list([23]), list([24]), list([25]),
       list([26]), list([27])], dtype=object)

这就是为什么 np.where 找不到您的值,也无法使用 np.where 搜索列表的原因。将此与不包含lists的非锯齿状数组进行比较:

x = np.arange(28).reshape(7, -1)

In [21]: np.where(x==7)
Out[21]: (array([1]), array([3]))

如果您想解决这个问题,可以使用锯齿状的阵列(通常还是很麻烦的),或者可以用-1之类的东西填充数组:

top = max([len(i) for i in mol])
mol = np.asarray([np.pad(i, (0, top-len(i)), 'constant', constant_values=-1) for i in mol])

array([[ 0,  1,  2,  3,  4],
       [ 5,  6,  7,  8,  9],
       [10, 11, 12, 13, 14],
       [15, 16, 17, 18, 19],
       [20, -1, -1, -1, -1],
       [21, -1, -1, -1, -1],
       [22, -1, -1, -1, -1],
       [23, -1, -1, -1, -1],
       [24, -1, -1, -1, -1],
       [25, -1, -1, -1, -1],
       [26, -1, -1, -1, -1],
       [27, -1, -1, -1, -1]])

这将使您能够再次使用 np.where

In [40]: np.where(mol==7)
Out[40]: (array([1]), array([2]))