在上一篇文章中讲述了模拟退火的基本原理,以下以一个实际的例子来说明,其中所有的源码已贴出,可以从中了解到很多细节。
使用模拟退火法求函数f(x,y) = 5sin(xy) + x2 + y2的最小值
解:根据题意,我们设计冷却表进度表为:
即初始温度为100
衰减参数为0.95
马可夫链长度为10000
metropolis的步长为0.02
结束条件为根据上一个最优解与最新的一个最优解的之差小于某个容差。
使用metropolis接受准则进行模拟, 程序如下
/*
* 模拟退火法求函数f(x,y) = 5sin(xy) + x^2 + y^2的最小值
* 日期:2004-4-16
* 作者:armylau
* email:[email protected]
* 结束条件为两次最优解之差小于某小量
*/
using system;
namespace simulateannealing
{
class class1
{
// 要求最优值的目标函数
static double objectfunction( double x, double y )
{
double z = 0.0;
z = 5.0 * math.sin(x*y) + x*x + y*y;
return z;
}
[stathread]
static void main(string[] args)
{
// 搜索的最大区间
const double xmax = 4;
const double ymax = 4;
// 冷却表参数
int markovlength = 10000; // 马可夫链长度
double decayscale = 0.95; // 衰减参数
double stepfactor = 0.02; // 步长因子
double temperature = 100; // 初始温度
double tolerance = 1e-8; // 容差
double prex,nextx; // prior and next value of x
double prey,nexty; // prior and next value of y
double prebestx, prebesty; // 上一个最优解
double bestx,besty; // 最终解
double acceptpoints = 0.0; // metropolis过程中总接受点
random rnd = new random();
// 随机选点
prex = -xmax * rnd.nextdouble() ;
prey = -ymax * rnd.nextdouble();
prebestx = bestx = prex;
prebesty = besty = prey;
// 每迭代一次退火一次(降温), 直到满足迭代条件为止
do
{
temperature *=decayscale;
acceptpoints = 0.0;
// 在当前温度t下迭代loop(即markov链长度)次
for (int i=0;i<markovlength;i++)
{
// 1) 在此点附近随机选下一点
do
{
nextx = prex + stepfactor*xmax*(rnd.nextdouble()-0.5);
nexty = prey + stepfactor*ymax*(rnd.nextdouble()-0.5);
}
while ( !(nextx >= -xmax && nextx <= xmax && nexty >= -ymax && nexty <= ymax) );
// 2) 是否全局最优解
if (objectfunction(bestx,besty) > objectfunction(nextx,nexty))
{
// 保留上一个最优解
prebestx =bestx;
prebesty = besty;
// 此为新的最优解
bestx=nextx;
besty=nexty;
}
// 3) metropolis过程
if( objectfunction(prex,prey) - objectfunction(nextx,nexty) > 0 )
{
// 接受, 此处lastpoint即下一个迭代的点以新接受的点开始
prex=nextx;
prey=nexty;
acceptpoints++;
}
else
{
double change = -1 * ( objectfunction(nextx,nexty) - objectfunction(prex,prey) ) / temperature ;
if( math.exp(change) > rnd.nextdouble() )
{
prex=nextx;
prey=nexty;
acceptpoints++;
}
// 不接受, 保存原解
}
}
console.writeline("{0},{1},{2},{3}",prex, prey, objectfunction ( prex, prey ), temperature);
} while( math.abs( objectfunction( bestx,besty) – objectfunction (prebestx, prebesty)) > tolerance );
console.writeline("最小值在点:{0},{1}",bestx, besty);
console.writeline( "最小值为:{0}",objectfunction(bestx, besty) );
}
}
}
l 结果:
最小值在点:-1.07678129318956,1.07669421564618
最小值为:-2.26401670947686
l 后记:
原来想写一系列的文章,介绍如何用c#解数值问题,这是因为在csdn上很少有数值计算方面的文章,所以希望能有所补充。
一开始在网上搜索模拟退火的资料并想作为c#数值计算的一个例子,找不到现成的源码。后来自己实验了很久,终于将此程序写出,不敢私藏,拿出来作用模拟退火或者用c#解数值算法问题的一个入门例子。
本文尽量避免太过学术化,如数学和物理名称和公式,仓促下笔,有很多地方可能讲得不是很清楚,希望各位体谅。任何问题或批评,可email与我:[email protected]
另,模拟退火还可以应用到其它更多更复杂的问题,如“推销员问题”等组合优化问题。本例只是求一个二维函数的最小值问题,而且其冷却表参数的选择也过于简单,只能作用一个初步的入门简介,请读者注意。
l 参考文献:
1. http://www.computer-dictionary-online.org/index.asp?q=simulated+annealing 计算机词典
2. numeric recipes in c
3. 计算方法丛书 非数值并行算法 (第一册) 模拟退火算法
菜鸟学堂: