Reputation: 239
I need to somehow make that array:
[[639 190]
[ 44 1]
[ 71 4]
...,
[863 347]
[870 362]
[831 359]]
look like this:
[[[639 190]]
[[ 44 1]]
[[ 71 4]]
...,
[[863 347]]
[[870 362]]
[[831 359]]]
How would I do that? I'm new to numpy and I need it for my scientific experiment.
Upvotes: 3
Views: 63
Reputation: 8378
In addition to newaxis/None
mentioned by @Divakar,
np.expand_dims(input_array, axis=1)
Upvotes: 3
Reputation: 221564
Add a new axis with None/np.newaxis
-
a[:,None,:] # Or simply a[:,None]
Sample run -
In [222]: a = np.random.randint(0,9,(4,3))
In [223]: a
Out[223]:
array([[1, 6, 6],
[4, 4, 5],
[7, 4, 4],
[4, 1, 3]])
In [224]: a[:,None]
Out[224]:
array([[[1, 6, 6]],
[[4, 4, 5]],
[[7, 4, 4]],
[[4, 1, 3]]])
Upvotes: 4