numpy.searchsorted用于同一条python的多个实例

2024-05-02 21:09:34 发布

您现在位置:Python中文网/ 问答频道 /正文

我有以下变量:

将numpy作为np导入

gens = np.array([2, 1, 2, 1, 0, 1, 2, 1, 2])
p = [0,1]

我想返回与p的每个元素匹配的gens的条目

因此,理想情况下,我希望它返回:

result = [[4],[2,3,5,7],[0,2,6,8]] 
#[[where matched 0], [where matched 1], [the rest]]

---

到目前为止,我的尝试只适用于一个变量:

indx = gens.argsort()
res = np.searchsorted(gens[indx], [0])
gens[res] #gives 4, which is the position of 0

但我试着

indx = gens.argsort()
res = np.searchsorted(gens[indx], [1])
gens[res] #gives 1, which is the position of the first 1.

所以:

  • 如何搜索出现多次的条目
  • 如何搜索多个条目,每个条目都有多个出现

Tags: ofthewhichisnpposition条目res
1条回答
网友
1楼 · 发布于 2024-05-02 21:09:34

你可以使用np.where

>>> np.where(gens == p[0])[0]
array([4])

>>> np.where(gens == p[1])[0]
array([1, 3, 5, 7])

>>> np.where((gens != p[0]) & (gens != p[1]))[0]
array([0, 2, 6, 8])

np.in1dnp.nonzero

>>> np.nonzero(np.in1d(gens, p[0]))[0]

>>> np.nonzero(np.in1d(gens, p[1]))[0]

>>> np.nonzero(~np.in1d(gens, p))[0]

相关问题 更多 >