功能变化不大。面具。蟒蛇

时间:2015-11-18 13:31:12

标签: python numpy mask

我有以下功能:

def delta(r, dr):
   res = np.zeros(r.shape)
   mask1 = (r >= 0.5*dr) & (r <= 1.5*dr)
   res[mask1] = (5-3*np.abs(r[mask1])/dr \
    - np.sqrt(-3*(1-np.abs(r[mask1])/dr)**2+1))/(6*dr)
   mask2 = np.logical_not(mask1) & (r <= 0.5*dr)
   res[mask2] = (1+np.sqrt(-3*(r[mask2]/dr)**2+1))/(3*dr)
   return res

其中rnumpy.array的{​​{1}},(shape[0],shape[1])是单个值。 我想要修改函数,使dr也是一个与dr大小相同的数组,并且对于r的每个值,取r的类似值。

例如drr[0,0]dr[0,0]r[0,1]一起使用,依此类推。 有什么想法吗?

1 个答案:

答案 0 :(得分:2)

您可以将2D蒙版与输入数组相乘,这实际上是掩蔽,因此执行计算导致2D数组而不是1D数组,其中布尔索引到目前为止已完成。唯一的区别是将值设置到输出数组中,您需要为其设置屏蔽要设置的数组和将从中选择值的2D计算数组。

实现看起来像这样 -

# Initialize output array   
res = np.zeros(r.shape)

# Get mask1 and compute values for all elements and use the mask to set only
# TRUE positions with the computed values
mask1 = (r >= 0.5*dr) & (r <= 1.5*dr)
V1 = (5-3*np.abs(r*mask1)/dr - np.sqrt(-3*(1-np.abs(r*mask1)/dr)**2+1))/(6*dr)
res[mask1] = V1[mask1]

# Similarly for mask2 and the computations with that mask
mask2 = np.logical_not(mask1) & (r <= 0.5*dr)
V2 = (1+np.sqrt(-3*(r*mask2/dr)**2+1))/(3*dr)
res[mask2] = V2[mask2]