我正试图用Python编写这个matlab实现,但我有时不理解:
last_v=ones(N,1)*inf;
我们在这里得到一个向量,包含所有的无穷大吗?在这种情况下,while中的条件立即为假,并且我们没有获得任何迭代:
而(norm(v-last_v,2)>vquadratic_error)
我理解什么是假的?
这就是我尝试过的方式:
from numpy import *
def pagerank(M,d,v_quadratic_error):
count = 0
N=M.shape[1]
v=random.rand(N,1)
v=v/linalg.norm(v)
ainf=array([[inf]])
last_v = dot(ones((N,1)),ainf)
R = d*M + ((1-d)/N * ones((N,N)))
while linalg.norm(v-last_v,2) > v_quadratic_error:
last_v = v
v = dot(R,v)
count+=1
print 'iteration #', count
return v
在Matlab/倍频程中:
octave:4> last_v = ones(N, 1) * inf;
octave:10> norm(v - last_v, 2)
ans = Inf
octave:13> norm(v - last_v, 2) > v_quadratic_error
ans = 1
在Python中:
In [139]: last_v = np.dot(np.ones((N,1)),ainf)
In [140]: np.linalg.norm(v - last_v, 2)
Out[140]: nan
In [141]: np.linalg.norm(v - last_v, 2) <= v_quadratic_error
Out[141]: False
因此,在Matlab/Octave中条件为True,但在Python中类似的表达式为False。在Python中,而不是使用
while linalg.norm(v-last_v,2) > v_quadratic_error:
你可以使用
while True:
last_v = v
...
if np.linalg.norm(v - last_v, 2) <= v_quadratic_error: break
这保证了执行流至少进入while-loop
一次,然后在条件为True时中断。到那时,last_v
将具有有限的值,因此避免了NaN与Inf的问题。
import numpy as np
def pagerank(M, d, v_quadratic_error):
count = 0
N = M.shape[1]
while True:
v = np.random.rand(N, 1)
if (v != 0).all(): break
v = v / np.linalg.norm(v)
R = d * M + ((1 - d) / N * np.ones((N, N)))
while True:
last_v = v
v = np.dot(R, v)
count += 1
print('iteration # {}: {}'.format(count, np.isfinite(v)))
if np.linalg.norm(v - last_v, 2) <= v_quadratic_error: break
return v
M = np.array(np.mat('0 0 0 0 1 ; 0.5 0 0 0 0 ; 0.5 0 0 0 0 ; 0 1 0.5 0 0 ; 0 0 0.5 1 0'))
print(pagerank(M, 0.80, 0.001))
产生
[[ 0.46322263]
[ 0.25968575]
[ 0.25968575]
[ 0.38623472]
[ 0.48692059]]
是的,你是对的,这条线将产生一个无穷大的向量。也可以直接使用inf:https://de.mathworks.com/help/matlab/ref/inf.html->inf(N,1)
。
虽然条件不会产生错误,为什么要这样呢?请看一下欧氏范数:https://en.wikipedia.org/wiki/Euclidean_distance-->inf的向量的范数(减去一些随机值,它仍然有效地产生infs的向量)将再次产生inf
,因此
inf > v_quadratic_error
将是真的。在循环中,last_v
被覆盖,因此在接下来的迭代中它将收敛。