Reputation: 6194
I have a 3-dimensional array that I want to mask using a 2-dimensional array that has the same dimensions as the two rightmost of the 3-dimensional array. Is there a way to do this without writing the following loop?
import numpy as np
nx = 2
nt = 4
field3d = np.random.rand(nt, nx, nx)
field2d = np.random.rand(nx, nx)
field3d_mask = np.zeros(field3d.shape, dtype=bool)
for t in range(nt):
field3d_mask[t,:,:] = field2d > 0.3
field3d = np.ma.array(field3d, mask=field3d_mask)
print field2d
print field3d
Upvotes: 24
Views: 20347
Reputation:
There's numpy.broadcast_to
(new in Numpy 1.10.0):
field3d_mask = np.broadcast_to(field2d > 0.3, field3d.shape)
Upvotes: 22
Reputation: 10253
Without the loop you could write it as:
field3d_mask[:,:,:] = field2d[np.newaxis,:,:] > 0.3
For example:
field3d_mask_1 = np.zeros(field3d.shape, dtype=bool)
field3d_mask_2 = np.zeros(field3d.shape, dtype=bool)
for t in range(nt):
field3d_mask_1[t,:,:] = field2d > 0.3
field3d_mask_2[:,:,:] = field2d[np.newaxis,:,:] > 0.3
print((field3d_mask_1 == field3d_mask_2).all())
gives:
True
Upvotes: 14