如何使用numpy数组对此循环进行矢量化,该循环填充较大矩阵的两个正方形子矩阵(也保持较大的矩阵对称):
for x in range(n):
assert m[x].shape == (n,)
M[i:i+n,j+x] = m[x]
M[j+x,i:i+n] = m[x]
这很诱人,但不同意上面的循环(参见下面的示例分歧):
assert m.shape == (n,n)
M[i:i+n,j:j+n] = m
M[j:j+n,i:i+n] = m
这是一个小例子(n> 1的崩溃):
from numpy import arange,empty,NAN
from numpy.testing import assert_almost_equal
for n in (1,2,3,4):
# make the submatrix
m = (10 * arange(1, 1 + n * n)).reshape(n, n)
N = n # example below, submatrix is the whole thing
# M1 using loops, M2 "vectorized"
M1 = empty((N, N))
M2 = empty((N, N))
M1.fill(NAN)
M2.fill(NAN)
i,j = 0,0 # not really used when (n == N)
# this results in symmetric matrix
for x in range(n):
assert m[x].shape == (n,)
M1[i:i+n,j+x] = m[x]
M1[j+x,i:i+n] = m[x]
# this does not work as expected
M2[i:i+n,j:j+n] = m
M2[j:j+n,i:i+n] = m
assert_almost_equal(M1,M1.transpose(),err_msg="M not symmetric?")
print "M1\n",M1,"\nM2",M2
assert_almost_equal(M1,M2,err_msg="M1 (loop) disagrees with M2 (vectorized)")
我们最终得到:
M1 = [10 30
30 40] # symmetric
M2 = [10 20
30 40] # i.e. m
答案 0 :(得分:4)
您的测试不正确: 对于i,j = 0,0你的M2 [] =赋值只是覆盖相同的矩阵块。
使用M1时得到对称矩阵的原因是因为你指定了 单个循环中的M1值。
如果你将循环分成两部分:
for x in range(n):
M1[i:i+n,j+x] = m[x]
for x in range(n):
M1[j+x,i:i+n] = m[x]
M1显然与M2相同。
总结一下,下面的代码可以工作(相当于你的M2计算)但是!它只有在对角线上方和下方的块之间没有重叠时才有效。如果有你必须决定在那里做什么
xs=np.arange(4).reshape(2,2)
ys=np.zeros((7,7))
ys[i:i+n,j:j+n]=xs
ys[j:j+n,i:i+n]=xs.T
print ys
>> array([[ 0., 0., 0., 0., 0., 0., 0.],
[ 0., 0., 0., 0., 1., 0., 0.],
[ 0., 0., 0., 2., 3., 0., 0.],
[ 0., 0., 2., 0., 0., 0., 0.],
[ 0., 1., 3., 0., 0., 0., 0.],
[ 0., 0., 0., 0., 0., 0., 0.],
[ 0., 0., 0., 0., 0., 0., 0.]])