- c - 在位数组中找到第一个零
- linux - Unix 显示有关匹配两种模式之一的文件的信息
- 正则表达式替换多个文件
- linux - 隐藏来自 xtrace 的命令
我正在尝试在 Barabasi-Albert 网络中模拟 Ising 相变,并尝试复制一些可观察量的结果,例如在 Ising 网格模拟中观察到的磁化和能量。但是,我在解释我的结果时遇到了麻烦:不确定物理是错误的还是实现中存在错误。这是一个最小的工作示例:
import numpy as np
import networkx as nx
import random
import math
## sim params
# coupling constant
J = 1.0 # ferromagnetic
# temperature range, in units of J/kT
t0 = 1.0
tn = 10.0
nt = 10.
T = np.linspace(t0, tn, nt)
# mc steps
steps = 1000
# generate BA network, 200 nodes with preferential attachment to 3rd node
G = nx.barabasi_albert_graph(200, 3)
# convert csr matrix to adjacency matrix, a_{ij}
adj_matrix = nx.adjacency_matrix(G)
top = adj_matrix.todense()
N = len(top)
# initialize spins in the network, ferromagnetic
def init(N):
return np.ones(N)
# calculate net magnetization
def netmag(state):
return np.sum(state)
# calculate net energy, E = \sum J *a_{ij} *s_i *s_j
def netenergy(N, state):
en = 0.
for i in range(N):
for j in range(N):
en += (-J)* top[i,j]*state[i]*state[j]
return en
# random sampling, metropolis local update
def montecarlo(state, N, beta, top):
# initialize difference in energy between E_{old} and E_{new}
delE = []
# pick a random source node
rsnode = np.random.randint(0,N)
# get the spin of this node
s2 = state[rsnode]
# calculate energy by summing up its interaction and append to delE
for tnode in range(N):
s1 = state[tnode]
delE.append(J * top[tnode, rsnode] *state[tnode]* state[rsnode])
# calculate probability of a flip
prob = math.exp(-np.sum(delE)*beta)
# if this probability is greater than rand[0,1] drawn from an uniform distribution, accept it
# else retain current state
if prob> random.random():
s2 *= -1
state[rsnode] = s2
return state
def simulate(N, top):
# initialize arrays for observables
magnetization = []
energy = []
specificheat = []
susceptibility = []
for count, t in enumerate(T):
# some temporary variables
e0 = m0 = e1 = m1 = 0.
print 't=', t
# initialize spin vector
state = init(N)
for i in range(steps):
montecarlo(state, N, 1/t, top)
mag = netmag(state)
ene = netenergy(N, state)
e0 = e0 + ene
m0 = m0 + mag
e1 = e0 + ene * ene
m1 = m0 + mag * mag
# calculate thermodynamic variables and append to initialized arrays
energy.append(e0/( steps * N))
magnetization.append( m0 / ( steps * N))
specificheat.append( e1/steps - e0*e0/(steps*steps) /(N* t * t))
susceptibility.append( m1/steps - m0*m0/(steps*steps) /(N* t *t))
print energy, magnetization, specificheat, susceptibility
plt.figure(1)
plt.plot(T, np.abs(magnetization), '-ko' )
plt.xlabel('Temperature (kT)')
plt.ylabel('Average Magnetization per spin')
plt.figure(2)
plt.plot(T, energy, '-ko' )
plt.xlabel('Temperature (kT)')
plt.ylabel('Average energy')
plt.figure(3)
plt.plot(T, specificheat, '-ko' )
plt.xlabel('Temperature (kT)')
plt.ylabel('Specific Heat')
plt.figure(4)
plt.plot(T, susceptibility, '-ko' )
plt.xlabel('Temperature (kT)')
plt.ylabel('Susceptibility')
simulate(N, top)
观察结果:
我已经尝试对代码进行大量注释,如果有我忽略的内容请追问。
问题:
最佳答案
首先,由于这是一个编程网站,让我们来分析一下程序。您的计算效率非常低,这使得探索更大的图变得不切实际。在您的情况下,邻接矩阵是 200x200 (40000) 元素,只有大约 3% 非零。将其转换为密集矩阵意味着在评估 montecarlo
例程中的能量差异和 netenergy
中的净能量时需要更多的计算。以下代码在我的系统上的执行速度提高了 5 倍,并且在使用更大的图表时预期速度会更好:
# keep the topology as a sparse matrix
top = nx.adjacency_matrix(G)
def netenergy(N, state):
en = 0.
for i in range(N):
ss = np.sum(state[top[i].nonzero()[1]])
en += state[i] * ss
return -0.5 * J * en
注意因子中的 0.5 - 因为邻接矩阵是对称的,所以每对自旋都会计算两次!
def montecarlo(state, N, beta, top):
# pick a random source node
rsnode = np.random.randint(0, N)
# get the spin of this node
s = state[rsnode]
# sum of all neighbouring spins
ss = np.sum(state[top[rsnode].nonzero()[1]])
# transition energy
delE = 2.0 * J * ss * s
# calculate transition probability
prob = math.exp(-delE * beta)
# conditionally accept the transition
if prob > random.random():
s = -s
state[rsnode] = s
return state
请注意转换能量中的因子 2.0 - 您的代码中缺少它!
这里有一些 numpy
索引魔法。 top[i]
是节点 i 的稀疏邻接行向量,top[i].nonzero()[1]
是列非零元素的索引(top[i].nonzero()[0]
是行索引,因为它是行向量,所以它们都等于 0)。 state[top[i].nonzero()[1]]
因此是节点 i 的相邻节点的值。
现在讲物理。热力学性质是错误的,因为:
e1 = e0 + ene * ene
m1 = m0 + mag * mag
应该是:
e1 = e1 + ene * ene
m1 = m1 + mag * mag
还有:
specificheat.append( e1/steps - e0*e0/(steps*steps) /(N* t * t))
susceptibility.append( m1/steps - m0*m0/(steps*steps) /(N* t *t))
应该是:
specificheat.append((e1/steps/N - e0*e0/(steps*steps*N*N)) / (t * t))
susceptibility.append((m1/steps/N - m0*m0/(steps*steps*N*N)) / t)
(你最好尽早平均能量和磁化强度)
这将热容量和磁化率带到正值的土地上。注意易感性分母中的单个 t
。
既然程序(希望)是正确的,让我们来谈谈物理吧。对于每个温度,您都从一个完整的自旋状态开始,然后让它一次演变一个自旋。显然,除非温度为零,否则该初始状态远离热平衡,因此系统将开始向与给定温度对应的状态空间部分漂移。这个过程被称为热化,在此期间收集静态信息是没有意义的。您必须始终将给定温度下的模拟分为两部分 - 热化和实际显着运行。需要多少次迭代才能达到平衡?很难说 - 使用能量的移动平均值并监控它何时变得(相对)稳定。
其次,更新算法每次迭代都会改变一次自旋,这意味着程序将非常缓慢地探索状态空间,并且您将需要大量迭代才能获得分区函数的良好近似值。对于 200 次旋转,1000 次迭代可能就足够了。
其余的问题确实不属于这里。
关于python - 伊辛模型 [Python],我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/43253150/
所以,我目前正在编写一个行编辑器,作为一个关于 I/O、编写文件等的学习项目。它是用 C++ 编写的,我目前正在尝试写入用户选择的文件。我实现了 CLI 参数,但我目前不知道如何在程序中实现指定要写入
如果我通过使用 getline( cin, myStr ); 获得一些值,则在用户输入的信息之后打印换行符 - 逻辑上当他按下回车键时: Please enter something: ABC \n
我一直在 visual studio 2012 控制台模式下处理一个 C++ 项目,我一直在使用 cin 函数时遇到这个奇怪的持续性错误。 在 >>> 下,我得到一条红线,程序告诉我没有运算符匹配这些
奇怪的是我找不到任何问题,但它只是崩溃了。在代码第 22 行,错误发生的地方。当输入一对数字的第二行时,程序崩溃。 #include #include using namespace std; i
我是一名优秀的程序员,十分优秀!