如何将numpy数组值复制到更高的维度

时间:2016-09-13 05:53:17

标签: python numpy multidimensional-array 3d numpy-ndarray

我在2d中有一个(w,h)np数组。我想制作一个值大于1的3d维度,并将其值沿第三维复制。我希望广播会这样做,但事实并非如此。这就是我在做的事情

arr = np.expand_dims(arr, axis=2)
arr = np.concatenate((arr,arr,arr), axis=2)

有更快的方法吗?

7 个答案:

答案 0 :(得分:6)

您可以推送所有dims向前,将单个dim / new轴作为最后一个dim来创建3D数组,然后沿着np.repeat重复三次},像这样 -

arr3D = np.repeat(arr[...,None],3,axis=2)

这是使用np.tile -

的另一种方法
arr3D = np.tile(arr[...,None],3)

答案 1 :(得分:4)

另一种有效的方法:

x_train = np.stack((x_train,) * 3, axis=-1)

答案 2 :(得分:2)

另一种简单的方法是使用矩阵乘法-乘以一个矩阵,该矩阵本质上将在新维度上复制值:

a=np.random.randn(4,4)    #a.shape = (4,4)
a = np.expand_dims(a,-1)  #a.shape = (4,4,1)
a = a*np.ones((1,1,3))
a.shape                   #(4, 4, 3)

答案 3 :(得分:1)

更好地帮助将灰色a通道矩阵转换为3通道矩阵。

img3 = np.zeros((gray.shape[0],gray.shape[1],3))
img3[:,:,0] = gray
img3[:,:,1] = gray
img3[:,:,2] = gray
fig = plt.figure(figsize = (15,15))
plt.imshow(img3)

答案 4 :(得分:0)

不确定我是否理解正确,但在这种情况下广播似乎对我有用:

>>> a = numpy.array([[1,2], [3,4]])
>>> c = numpy.zeros((4, 2, 2))
>>> c[0] = a
>>> c[1:] = a+1
>>> c
array([[[ 1.,  2.],
        [ 3.,  4.]],

       [[ 2.,  3.],
        [ 4.,  5.]],

       [[ 2.,  3.],
        [ 4.,  5.]],

       [[ 2.,  3.],
        [ 4.,  5.]]])

答案 5 :(得分:0)

我建议您使用准系统numpy.concatenate()只是因为下面的代码表明它是所有其他建议答案中最快的:

# sample 2D array to work with
In [51]: arr = np.random.random_sample((12, 34))

# promote the array `arr` to 3D and then concatenate along `axis 2`
In [52]: arr3D = np.concatenate([arr[..., np.newaxis]]*3, axis=2)

# verify for desired shape
In [53]: arr3D.shape
Out[53]: (12, 34, 3)

您可以在下面看到说服自己的时间。 (顺序:从最佳到最差):

In [42]: %timeit -n 100000 np.concatenate([arr[..., np.newaxis]]*3, axis=2)
1.94 µs ± 32.9 ns per loop (mean ± std. dev. of 7 runs, 100000 loops each)

In [43]: %timeit -n 100000 np.repeat(arr[..., np.newaxis], 3, axis=2)
4.38 µs ± 46.7 ns per loop (mean ± std. dev. of 7 runs, 100000 loops each)

In [44]: %timeit -n 100000 np.dstack([arr]*3)
5.1 µs ± 57.6 ns per loop (mean ± std. dev. of 7 runs, 100000 loops each)

In [49]: %timeit -n 100000 np.stack([arr]*3, -1)
5.12 µs ± 125 ns per loop (mean ± std. dev. of 7 runs, 100000 loops each)

In [46]: %timeit -n 100000 np.tile(arr[..., np.newaxis], 3)
7.13 µs ± 85.1 ns per loop (mean ± std. dev. of 7 runs, 100000 loops each)

话虽如此,如果您正在寻找最短的代码,则可以使用:

# wrap your 2D array in an iterable and then multiply it by the needed depth
arr3D = np.dstack([arr]*3)

# verify shape
print(arr3D.shape)
(12, 34, 3)

答案 6 :(得分:0)

这可以工作。 (我认为这不是推荐的方法:-)但这也许是您认为最接近的方法。)

np.array([img, img, img]).transpose(1,2,0)

只需在需要的任何时候堆叠目标(img)(3),然后使通道(3)移至最后一个轴。