The simplest is np.stack
, with the new axis set to 0:
result = np.stack((arr,) * m, axis=0)
This is a generalization of np.vstack
, which can accept a variable m
in the same way:
result = np.vstack((arr,) * m)
Since you are looking to expand the first dimension and not the second, you can use np.tile
:
result = np.tile(arr, [m, 1])
For this simple case, you can repeat the elements individually for the same result using np.repeat
. This is a bit hacky, but it works just as well:
result = np.repeat([arr], m, axis=0)
If arr
is already a numpy array, you can add the leading dimension more explicitly:
result = np.repeat(arr[None, :], m, axis=0)
A slightly more convoluted method, but which showcases what is going on under the hood better is using np.concatenate
:
np.concatenate(([arr],) * m, axis=0)
In the same spirit as concatenate
, you can use the constructor np.array
directly:
np.array([arr] * m)
An ugly method is to use muliplication (combined with broadcasting):
result = arr * np.ones((m, 1), dtype=np.int8)
Setting the dtype to a very small integer type pretty much ensures that the result will be promoted to the actual type of your array.
The previous methods copy the array multiple times to get the 2D data. But since the data is repeated, you don't actually need to copy it. Instead, you can make a view that creates a fake first dimension using broadcasting. Specifically, the np.broadcast_to
function will do exactly what you want:
result = np.broadcast_to(arr, [m, len(arr)])
There is a more general approach even than the previous to making views is np.lib.stride_tricks.as_strided
.
First, let's reiterate the warning from the documentation:
Warning
This function has to be used with extreme care, see notes.
Unless you know the byte-size of the dtype you plan on using ahead of time, it's a good idea to ensure that arr
is a numpy array to get the strides from it:
arr = np.asanyarray(arr)
result = np.lib.stride_tricks.as_strided(arr, shape=(m, arr.size), strides=(0,) + arr.strides)
In the last two cases, if you want to expand the view into a full buffer that contains a proper copy for each element, you can copy the data:
If you don't do the expansion, you will effectively be simulating the behavior of multiple references to the same list, where modifying any element changes all elements in the same column.