【发布时间】:2016-02-24 22:40:57
【问题描述】:
假设我有一个 2d 图像,每个点都有相关的坐标 (x,y)。 我想在每个点 $i$ 与每隔一个点 $j$ 找到位置向量的内积。本质上是两个二维数组的笛卡尔积。
用 Python 最快的方法是什么?
我当前的实现如下所示:
def cartesian_product(arrays):
broadcastable = np.ix_(*arrays)
broadcasted = np.broadcast_arrays(*broadcastable)
rows, cols = reduce(np.multiply, broadcasted[0].shape), len(broadcasted)
out = np.empty(rows * cols, dtype=broadcasted[0].dtype)
start, end = 0, rows
for a in broadcasted:
out[start:end] = a.reshape(-1)
start, end = end, end + rows
return out.reshape(cols, rows).T
def inner_product():
x, y = np.meshgrid(np.arange(4),np.arange(4))
cart_x = cartesian_product([x.flatten(),x.flatten()])
cart_y = cartesian_product([y.flatten(),y.flatten()])
Nx = x.shape[0]
xx = (cart_x[:,0]*cart_x[:,1]).reshape((Nx**2,Nx,Nx))
yy = (cart_y[:,0]*cart_y[:,1]).reshape((Nx**2,Nx,Nx))
inner_products = xx+yy
return inner_products
(信用到期:cartesian_product 取自Using numpy to build an array of all combinations of two arrays)
但这不起作用。对于较大的数组(例如 256x256),这会给我一个内存错误。
【问题讨论】:
标签: python arrays numpy 2d cartesian-product