我有一个大小为nxm
的numpy数组。我希望将列数限制为k
,并将其余列扩展为新行。以下是方案 -
初始数组:nxm
最终数组:pxk
其中p = (m/k)*n
EG。 n = 2, m = 6, k = 2
初始数组:
[[1, 2, 3, 4, 5, 6,],
[7, 8, 9, 10, 11, 12]]
最终阵列:
[[1, 2],
[7, 8],
[3, 4],
[9, 10],
[5, 6],
[11, 12]]
我尝试使用reshape
但未获得所需的结果。
答案 0 :(得分:4)
这是一种方法
q=array([[1, 2, 3, 4, 5, 6,],
[7, 8, 9, 10, 11, 12]])
r=q.T.reshape(-1,2,2)
s=r.swapaxes(1,2)
t=s.reshape(-1,2)
作为一个班轮,
q.T.reshape(-1,2,2).swapaxes(1,2).reshape(-1,2)
array([[ 1, 2],
[ 7, 8],
[ 3, 4],
[ 9, 10],
[ 5, 6],
[11, 12]])
编辑:对于一般情况,请使用
q=arange(1,1+n*m).reshape(n,m) #example input
r=q.T.reshape(-1,k,n)
s=r.swapaxes(1,2)
t=s.reshape(-1,k)
一个班轮是:
q.T.reshape(-1,k,n).swapaxes(1,2).reshape(-1,k)
n=3,m=12,k=4
q=array([[ 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]])
结果是
array([[ 1, 2, 3, 4],
[13, 14, 15, 16],
[25, 26, 27, 28],
[ 5, 6, 7, 8],
[17, 18, 19, 20],
[29, 30, 31, 32],
[ 9, 10, 11, 12],
[21, 22, 23, 24],
[33, 34, 35, 36]])
答案 1 :(得分:2)
a = np.array([[1, 2, 3, 4, 5, 6,],
[7, 8, 9, 10, 11, 12]])
n, m, k = 2, 6, 2
np.vstack(np.hsplit(a, m/k))
结果数组:
array([[ 1, 2],
[ 7, 8],
[ 3, 4],
[ 9, 10],
[ 5, 6],
[11, 12]])
UPDATE 作为flebool commented,上面的代码非常慢,因为hsplit
返回一个python列表,然后vstack
从列表中重建最终数组阵列。
这是更快的替代解决方案。
a.reshape(-1, m/k, k).transpose(1, 0, 2).reshape(-1, k)
或
a.reshape(-1, m/k, k).swapaxes(0, 1).reshape(-1, k)