Create Multidimensional Zeros Python
I need to make a multidimensional array of zeros. For two (D=2) or three (D=3) dimensions, this is easy and I'd use: a = numpy.zeros(shape=(n,n)) or a = numpy.zeros(shape=(n,n,n)
Solution 1:
You can multiply a tuple (n,)
by the number of dimensions you want. e.g.:
>>> import numpy as np
>>> N=2
>>> np.zeros((N,)*1)
array([ 0., 0.])
>>> np.zeros((N,)*2)
array([[ 0., 0.],
[ 0., 0.]])
>>> np.zeros((N,)*3)
array([[[ 0., 0.],
[ 0., 0.]],
[[ 0., 0.],
[ 0., 0.]]])
Solution 2:
>>>sh = (10, 10, 10, 10)>>>z1 = zeros(10000).reshape(*sh)>>>z1.shape
(10, 10, 10, 10)
EDIT: while above is not wrong, it's just excessive. @mgilson's answer is better.
Solution 3:
In [4]: import numpy
In [5]: n = 2
In [6]: d = 4
In [7]: a = numpy.zeros(shape=[n]*d)
In [8]: a
Out[8]:
array([[[[ 0., 0.],
[ 0., 0.]],
[[ 0., 0.],
[ 0., 0.]]],
[[[ 0., 0.],
[ 0., 0.]],
[[ 0., 0.],
[ 0., 0.]]]])
Post a Comment for "Create Multidimensional Zeros Python"