Answers:
numpy.where()是我的最爱。
>>> x = numpy.array([1,0,2,0,3,0,4,5,6,7,8])
>>> numpy.where(x == 0)[0]
array([1, 3, 5])
np.zeros((3,))
例如制作3个长向量。我怀疑这是为了使解析参数变得容易。否则,诸如np.zeros(3,0,dtype='int16')
vs之类的东西np.zeros(3,3,3,dtype='int16')
将很烦人。
where
返回ndarray
s 的元组,每个元组都对应于输入的维。在这种情况下,输入为数组,因此输出为1-tuple
。如果x是矩阵,则它将是a 2-tuple
,依此类推
import numpy as np
arr = np.array([[1,2,3], [0, 1, 0], [7, 0, 2]])
np.argwhere(arr == 0)
返回所有找到的索引作为行:
array([[1, 0], # Indices of the first zero
[1, 2], # Indices of the second zero
[2, 1]], # Indices of the third zero
dtype=int64)
您可以使用以下方法搜索任何标量条件:
>>> a = np.asarray([0,1,2,3,4])
>>> a == 0 # or whatver
array([ True, False, False, False, False], dtype=bool)
这将把数组作为条件的布尔掩码返回。
a[a==0] = epsilon
您也可以nonzero()
在条件的布尔掩码中使用它,因为False
它也是零。
>>> x = numpy.array([1,0,2,0,3,0,4,5,6,7,8])
>>> x==0
array([False, True, False, True, False, True, False, False, False, False, False], dtype=bool)
>>> numpy.nonzero(x==0)[0]
array([1, 3, 5])
它的mtrw
方法与s的方法完全相同,但是与问题更相关;)
nonzero
方法来检查条件。
如果使用一维数组,则有一个语法糖:
>>> x = numpy.array([1,0,2,0,3,0,4,5,6,7,8])
>>> numpy.flatnonzero(x == 0)
array([1, 3, 5])
numpy.flatnonzero(numpy.logical_or(numpy.logical_or(x==0, x==2), x==7))
我将通过以下方式进行操作:
>>> x = np.array([[1,0,0], [0,2,0], [1,1,0]])
>>> x
array([[1, 0, 0],
[0, 2, 0],
[1, 1, 0]])
>>> np.nonzero(x)
(array([0, 1, 2, 2]), array([0, 1, 0, 1]))
# if you want it in coordinates
>>> x[np.nonzero(x)]
array([1, 2, 1, 1])
>>> np.transpose(np.nonzero(x))
array([[0, 0],
[1, 1],
[2, 0],
[2, 1])
where()
返回元组?numpy.where(x == 0)[1]
超出范围。那么索引数组又是什么呢?