什么是基于2D numpy索引数组排列numpy二维数组的numpy方式?

时间:2015-05-16 11:03:48

标签: python arrays numpy

import numpy as np
x = np.array([[1,2 ,3], [9,8,7]])
y = np.array([[2,1 ,0], [1,0,2]])

x[y]

预期产出:

array([[3,2,1], [8,9,7]])

如果x和y是1D数组,那么x [y]就可以了。那么对于2D阵列来说,这是多少笨拙的方式或者最常用的方法呢?

2 个答案:

答案 0 :(得分:2)

您需要定义相应的行索引。

一种方法是:

>>> x[np.arange(x.shape[0])[..., None], y]
array([[3, 2, 1],
       [8, 9, 7]])

答案 1 :(得分:1)

您可以从y计算线性指数,然后使用它们从x中提取特定元素,就像这样 -

# Linear indices from y, using x's shape
lin_idx = y + np.arange(y.shape[0])[:,None]*x.shape[1]

# Use np.take to extract those indexed elements from x
out = np.take(x,lin_idx)

示例运行 -

In [47]: x
Out[47]: 
array([[1, 2, 3],
       [9, 8, 7]])

In [48]: y
Out[48]: 
array([[2, 1, 0],
       [1, 0, 2]])

In [49]: lin_idx = y + np.arange(y.shape[0])[:,None]*x.shape[1]

In [50]: lin_idx  # Compare this with y
Out[50]: 
array([[2, 1, 0],
       [4, 3, 5]])

In [51]: np.take(x,lin_idx)
Out[51]: 
array([[3, 2, 1],
       [8, 9, 7]])