我读过numpy索引,但是我找不到我想要的东西。
我有一张288 * 384的图像,其中每个像素都可以在[0,15]中标记。
它存储在一个3d(288,384,16)形的numpy数组im
中。
使用im[:,:,1]
,我可以获取所有像素都具有标签1的图像。
我有另一个2d数组labelling
,(288 * 384)形,包含每个像素的标签。
如何使用一些聪明的切片来获取每个像素具有相应像素的图像?
使用循环,即:
result = np.zeros((288,384))
for x,y in zip(range(288), range(384)):
result[x,y] = im[x,y,labelling[x,y]]
但这当然效率低下。
答案 0 :(得分:0)
新结果
简短的结果是
np.choose(labelling,im.transpose(2,0,1))
旧结果
试试这个
im[np.arange(288)[:,None],np.arange(384)[None,:],labelling]
适用于以下情况:
import numpy
import numpy.random
import itertools
a = numpy.random.randint(5,size=(2,3,4))
array([[[4, 4, 0, 0],
[0, 4, 1, 1],
[3, 4, 4, 2]],
[[4, 0, 0, 2],
[1, 4, 2, 2],
[4, 2, 4, 4]]])
b = numpy.random.randint(4,size=(2,3))
array([[1, 1, 0],
[1, 2, 2]])
res = a[np.arange(2)[:,None],np.arange(3)[None,:],b]
array([[4, 4, 3],
[0, 2, 4]])
# note that zip is not doing what you expect it to do
result = np.zeros((2,3))
for x,y in itertools.product(range(2),range(3)):
result[x,y] = a[x,y,b[x,y]]
array([[4., 4., 3.],
[0., 2., 4.]])
请注意,zip
没有达到预期效果
zip(range(2),range(3))
[(0, 0), (1, 1)]
可能你的意思是itertools.product
list(itertools.product(range(2),range(3)))
[(0, 0), (0, 1), (0, 2), (1, 0), (1, 1), (1, 2)]
使用[:,None]
numpy.ix_
等
xx,yy = np.ix_( np.arange(2), np.arange(3) )
res = a[xx,yy,b]