Suppose I have two numpy arrays A
, B
, with A.shape = (2,4,3)
and B.shape = (2,4)
:
JavaScript
x
15
15
1
A =
2
[[[-1 -1 0]
3
[-1 0 0]
4
[-1 0 0]
5
[ 0 -1 0]]
6
7
[[-1 0 0]
8
[-1 0 0]
9
[-1 1 0]
10
[ 0 0 0]]]
11
12
B =
13
[[0 2 0 3]
14
[1 0 0 0]]
15
Now I would like to get a new array C
with C.shape = (2+3+1,3) = (6,3)
, such that each integer in B
specifies the number of the corresponding 3×1 array in A
. In other words, A[i,j,:]
should appear B[i,j]
times in C
. In our case,
JavaScript
1
8
1
C =
2
[[-1 0 0]
3
[-1 0 0]
4
[ 0 -1 0]
5
[ 0 -1 0]
6
[ 0 -1 0]
7
[-1 0 0]]
8
What is the fastest way to obtain C
?
Advertisement
Answer
I can think of doing this by reshaping A
into a simple 2D array of which the rows A[i]
, are to be repeated according to the count in B[i]
.
Note that B
is also flattened to be a 1D array.
JavaScript
1
21
21
1
import numpy as np
2
3
A = np.array([[[-1, -1, 0],
4
[-1, 0, 0],
5
[-1, 0, 0],
6
[ 0, -1, 0]],
7
8
[[-1, 0, 0],
9
[-1, 0, 0],
10
[-1, 1, 0],
11
[ 0, 0, 0]]])
12
13
B = np.array([[0, 2, 0, 3],
14
[1, 0, 0, 0]])
15
16
A = A.reshape(-1, A.shape[2]) # A.shape becomes (8, 3)
17
B = B.reshape(-1) # B.shape becomes (8, )
18
19
C = np.repeat(A, B, axis = 0)
20
>>>C
21
Output:
JavaScript
1
7
1
array([[-1, 0, 0],
2
[-1, 0, 0],
3
[ 0, -1, 0],
4
[ 0, -1, 0],
5
[ 0, -1, 0],
6
[-1, 0, 0]])
7
Here is how np.repeat()
works, in case you need reference.