将Numpy数组转换为特定的二维形式

问题描述 投票:0回答:3

目前,我使用numpy,并且必须转换大型数据集。起点是一些一维数组。这些应该组合成一个较大的二维数组。我附上一个小例子,它看起来应该是什么样。

# Returns 16 arrays with four numbers in each array (from 0 to 3)
array = [np.arange(4) for i in range(16)]

# Each of these arrays should be transformed to become a two-dimensional shape=(2,2)
array.reshape((2,2))

1. Step:
# Subsequently, the first of all of them are to be brought together:
[[0,1,0,1,0,1,0,1,0,1, ...,0,1],
[2,3,2,3,2,3,2,3,2,3, ...,2,3]]

2. Step:
# Afterwards, the arrays are to be wrapped on the basis of a length (let's say 8). The result should look like this:
[[0,1,0,1,0,1,0,1],
[2,3,2,3,2,3,2,3],
[0,1,0,1,0,1,0,1],
[2,3,2,3,2,3,2,3]]

这仅是一个微型示例。我实际上正在使用长度为64的数组,该数组将被转换为shape =(8,8)的数组。最后,我想创建一个尺寸为416x416的二维数组。

编辑:所以我当前的问题是,如何到达上面示例中的第一步和第二步?

python arrays numpy numpy-ndarray
3个回答
0
投票

您可以将np.pad与mode ='wrap'一起使用:

final_width = 8
final_height = 8

a = np.arange(4).reshape(2,2)
np.pad(a, ((0, final_height-a.shape[0]),(0, final_width-a.shape[1])), mode='wrap')
a

out:
array([[0, 1, 0, 1, 0, 1, 0, 1],
       [2, 3, 2, 3, 2, 3, 2, 3],
       [0, 1, 0, 1, 0, 1, 0, 1],
       [2, 3, 2, 3, 2, 3, 2, 3],
       [0, 1, 0, 1, 0, 1, 0, 1],
       [2, 3, 2, 3, 2, 3, 2, 3],
       [0, 1, 0, 1, 0, 1, 0, 1],
       [2, 3, 2, 3, 2, 3, 2, 3]])

0
投票

您发布的示例很好地解释了所有内容。我不知道问题是什么。您的64到8 * 8转换的实现类似于:

import numpy as np

a = np.array([i for i in range(64)]) # defines a 64*1 1-D array
# a = array([ 0,  1,  2,  3,  4,  5,  6,  7,  8,  9, 10, 11, 12, 13, 14, 15, 16,
#        17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33,
#        34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50,
#        51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63])
print(a.shape) # (64,)
a = a.reshape((8,8)) # makes "a" an 8*8 2-D array
# array([[ 0,  1,  2,  3,  4,  5,  6,  7],
#        [ 8,  9, 10, 11, 12, 13, 14, 15],
#        [16, 17, 18, 19, 20, 21, 22, 23],
#        [24, 25, 26, 27, 28, 29, 30, 31],
#        [32, 33, 34, 35, 36, 37, 38, 39],
#        [40, 41, 42, 43, 44, 45, 46, 47],
#        [48, 49, 50, 51, 52, 53, 54, 55],
#        [56, 57, 58, 59, 60, 61, 62, 63]])
print(a.shape) # (8, 8)

同样,将173056 * 1数组转换为416 * 416数组。

也许您对可以在二维数组上使用reshape方法这一事实感到困惑。当然可以!


0
投票

假设您已创建array(如您所述),请尝试以下代码:

chunkSize = 8      # No of columns in the result
# Reshape and bring together
array2 = np.hstack([ arr.reshape(2,2) for arr in array ])
# The final result
result = np.vstack(np.hsplit(array2, [ (n + 1) * chunkSize
    for n in range(int(array2.shape[1] / chunkSize) - 1) ]))
© www.soinside.com 2019 - 2024. All rights reserved.