Artificial Intelligence
Simulated Annealing From Scratch in Python
Simulated Annealing is a stochastic international search optimization algorithm.
Because of this it makes use of randomness as a part of the search course of. This makes the algorithm applicable for nonlinear goal features the place different native search algorithms don’t function effectively.
Just like the stochastic hill climbing native search algorithm, it modifies a single answer and searches the comparatively native space of the search house till the native optima is situated. Not like the hill climbing algorithm, it could settle for worse options as the present working answer.
The chance of accepting worse options begins excessive originally of the search and reduces with the progress of the search, giving the algorithm the chance to first find the area for the worldwide optima, escaping native optima, then hill climb to the optima itself.
On this tutorial, you’ll uncover the simulated annealing optimization algorithm for perform optimization.
After finishing this tutorial, you’ll know:
- Simulated annealing is a stochastic international search algorithm for perform optimization.
- Methods to implement the simulated annealing algorithm from scratch in Python.
- Methods to use the simulated annealing algorithm and examine the outcomes of the algorithm.
Let’s get began.
Simulated Annealing From Scratch in Python
Photograph by Susanne Nilsson, some rights reserved.
Tutorial Overview
This tutorial is split into three elements; they’re:
- Simulated Annealing
- Implement Simulated Annealing
- Simulated Annealing Labored Instance
Simulated Annealing
Simulated Annealing is a stochastic international search optimization algorithm.
The algorithm is impressed by annealing in metallurgy the place steel is heated to a excessive temperature rapidly, then cooled slowly, which will increase its power and makes it simpler to work with.
The annealing course of works by first thrilling the atoms within the materials at a excessive temperature, permitting the atoms to maneuver round rather a lot, then reducing their pleasure slowly, permitting the atoms to fall into a brand new, extra steady configuration.
When scorching, the atoms within the materials are extra free to maneuver round, and, by way of random movement, are inclined to settle into higher positions. A gradual cooling brings the fabric to an ordered, crystalline state.
— Web page 128, Algorithms for Optimization, 2019.
The simulated annealing optimization algorithm may be regarded as a modified model of stochastic hill climbing.
Stochastic hill climbing maintains a single candidate answer and takes steps of a random however constrained dimension from the candidate within the search house. If the brand new level is best than the present level, then the present level is changed with the brand new level. This course of continues for a hard and fast variety of iterations.
Simulated annealing executes the search in the identical method. The principle distinction is that new factors which are not so good as the present level (worse factors) are accepted generally.
A worse level is accepted probabilistically the place the chance of accepting an answer worse than the present answer is a perform of the temperature of the search and the way a lot worse the answer is than the present answer.
The algorithm varies from Hill-Climbing in its choice of when to switch S, the unique candidate answer, with R, its newly tweaked youngster. Particularly: if R is best than S, we’ll all the time change S with R as common. But when R is worse than S, we should still change S with R with a sure likelihood
— Web page 23, Necessities of Metaheuristics, 2011.
The preliminary temperature for the search is offered as a hyperparameter and reduces with the progress of the search. A lot of completely different schemes (annealing schedules) could also be used to lower the temperature in the course of the search from the preliminary worth to a really low worth, though it is not uncommon to calculate temperature as a perform of the iteration quantity.
A preferred instance for calculating temperature is the so-called “quick simulated annealing,” calculated as follows
- temperature = initial_temperature / (iteration_number + 1)
We add one to the iteration quantity within the case that iteration numbers begin at zero, to keep away from a divide by zero error.
The acceptance of worse options makes use of the temperature in addition to the distinction between the target perform analysis of the more severe answer and the present answer. A price is calculated between 0 and 1 utilizing this info, indicating the chance of accepting the more severe answer. This distribution is then sampled utilizing a random quantity, which, if lower than the worth, means the more severe answer is accepted.
It’s this acceptance likelihood, often known as the Metropolis criterion, that permits the algorithm to flee from native minima when the temperature is excessive.
— Web page 128, Algorithms for Optimization, 2019.
That is referred to as the metropolis acceptance criterion and for minimization is calculated as follows:
- criterion = exp( -(goal(new) – goal(present)) / temperature)
The place exp() is e (the mathematical fixed) raised to an influence of the offered argument, and goal(new), and goal(present) are the target perform analysis of the brand new (worse) and present candidate options.
The impact is that poor options have extra probabilities of being accepted early within the search and fewer seemingly of being accepted later within the search. The intent is that the excessive temperature originally of the search will assist the search find the basin for the worldwide optima and the low temperature later within the search will assist the algorithm hone in on the worldwide optima.
The temperature begins excessive, permitting the method to freely transfer concerning the search house, with the hope that on this section the method will discover a good area with one of the best native minimal. The temperature is then slowly introduced down, decreasing the stochasticity and forcing the search to converge to a minimal
— Web page 128, Algorithms for Optimization, 2019.
Now that we’re accustomed to the simulated annealing algorithm, let’s take a look at implement it from scratch.
Implement Simulated Annealing
On this part, we are going to discover how we would implement the simulated annealing optimization algorithm from scratch.
First, we should outline our goal perform and the bounds on every enter variable to the target perform. The target perform is only a Python perform we are going to identify goal(). The bounds will likely be a 2D array with one dimension for every enter variable that defines the minimal and most for the variable.
For instance, a one-dimensional goal perform and bounds could be outlined as follows:
# goal perform def goal(x): return 0
# outline vary for enter bounds = asarray([[–5.0, 5.0]]) |
Subsequent, we are able to generate our preliminary level as a random level inside the bounds of the issue, then consider it utilizing the target perform.
... # generate an preliminary level finest = bounds[:, 0] + rand(len(bounds)) * (bounds[:, 1] – bounds[:, 0]) # consider the preliminary level best_eval = goal(finest) |
We have to preserve the “present” answer that’s the focus of the search and that could be changed with higher options.
... # present working answer curr, curr_eval = finest, best_eval |
Now we are able to loop over a predefined variety of iterations of the algorithm outlined as “n_iterations“, reminiscent of 100 or 1,000.
... # run the algorithm for i in vary(n_iterations): ... |
Step one of the algorithm iteration is to generate a brand new candidate answer from the present working answer, e.g. take a step.
This requires a predefined “step_size” parameter, which is relative to the bounds of the search house. We’ll take a random step with a Gaussian distribution the place the imply is our present level and the usual deviation is outlined by the “step_size“. That implies that about 99 p.c of the steps taken will likely be inside 3 * step_size of the present level.
... # take a step candidate = answer + randn(len(bounds)) * step_size |
We don’t should take steps on this method. You might want to use a uniform distribution between 0 and the step dimension. For instance:
... # take a step candidate = answer + rand(len(bounds)) * step_size |
Subsequent, we have to consider it.
... # consider candidate level candidte_eval = goal(candidate) |
We then have to test if the analysis of this new level is pretty much as good as or higher than the present finest level, and whether it is, change our present finest level with this new level.
That is separate from the present working answer that’s the focus of the search.
... # test for brand spanking new finest answer if candidate_eval < best_eval: # retailer new finest level finest, best_eval = candidate, candidate_eval # report progress print(‘>%d f(%s) = %.5f’ % (i, finest, best_eval)) |
Subsequent, we have to put together to switch the present working answer.
Step one is to calculate the distinction between the target perform analysis of the present answer and the present working answer.
... # distinction between candidate and present level analysis diff = candidate_eval – curr_eval |
Subsequent, we have to calculate the present temperature, utilizing the quick annealing schedule, the place “temp” is the preliminary temperature offered as an argument.
... # calculate temperature for present epoch t = temp / float(i + 1) |
We are able to then calculate the chance of accepting an answer with worse efficiency than our present working answer.
... # calculate metropolis acceptance criterion metropolis = exp(–diff / t) |
Lastly, we are able to settle for the brand new level as the present working answer if it has a greater goal perform analysis (the distinction is destructive) or if the target perform is worse, however we probabilistically determine to simply accept it.
... # test if we should always preserve the brand new level if diff < 0 or rand() < metropolis: # retailer the brand new present level curr, curr_eval = candidate, candidate_eval |
And that’s it.
We are able to implement this simulated annealing algorithm as a reusable perform that takes the identify of the target perform, the bounds of every enter variable, the entire iterations, step dimension, and preliminary temperature as arguments, and returns one of the best answer discovered and its analysis.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 |
# simulated annealing algorithm def simulated_annealing(goal, bounds, n_iterations, step_size, temp): # generate an preliminary level finest = bounds[:, 0] + rand(len(bounds)) * (bounds[:, 1] – bounds[:, 0]) # consider the preliminary level best_eval = goal(finest) # present working answer curr, curr_eval = finest, finest_eval # run the algorithm for i in vary(n_iterations): # take a step candidate = curr + randn(len(bounds)) * step_dimension # consider candidate level candidate_eval = goal(candidate) # test for brand spanking new finest answer if candidate_eval < best_eval: # retailer new finest level finest, best_eval = candidate, candidate_eval # report progress print(‘>%d f(%s) = %.5f’ % (i, finest, best_eval)) # distinction between candidate and present level analysis diff = candidate_eval – curr_eval # calculate temperature for present epoch t = temp / float(i + 1) # calculate metropolis acceptance criterion metropolis = exp(–diff / t) # test if we should always preserve the brand new level if diff < 0 or rand() < metropolis: # retailer the brand new present level curr, curr_eval = candidate, candidate_eval return [best, best_eval] |
Now that we all know implement the simulated annealing algorithm in Python, let’s take a look at how we would use it to optimize an goal perform.
Simulated Annealing Labored Instance
On this part, we are going to apply the simulated annealing optimization algorithm to an goal perform.
First, let’s outline our goal perform.
We’ll use a easy one-dimensional x^2 goal perform with the bounds [-5, 5].
The instance beneath defines the perform, then creates a line plot of the response floor of the perform for a grid of enter values, and marks the optima at f(0.0) = 0.0 with a purple line
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 |
# convex unimodal optimization perform from numpy import arange from matplotlib import pyplot
# goal perform def goal(x): return x[0]**2.0
# outline vary for enter r_min, r_max = –5.0, 5.0 # pattern enter vary uniformly at 0.1 increments inputs = arange(r_min, r_max, 0.1) # compute targets outcomes = [objective([x]) for x in inputs] # create a line plot of enter vs outcome pyplot.plot(inputs, outcomes) # outline optimum enter worth x_optima = 0.0 # draw a vertical line on the optimum enter pyplot.axvline(x=x_optima, ls=‘–‘, coloration=‘purple’) # present the plot pyplot.present() |
Working the instance creates a line plot of the target perform and clearly marks the perform optima.

Line Plot of Goal Operate With Optima Marked With a Dashed Pink Line
Earlier than we apply the optimization algorithm to the issue, let’s take a second to know the acceptance criterion slightly higher.
First, the quick annealing schedule is an exponential perform of the variety of iterations. We are able to make this clear by making a plot of the temperature for every algorithm iteration.
We’ll use an preliminary temperature of 10 and 100 algorithm iterations, each arbitrarily chosen.
The whole instance is listed beneath.
# discover temperature vs algorithm iteration for simulated annealing from matplotlib import pyplot # whole iterations of algorithm iterations = 100 # preliminary temperature initial_temp = 10 # array of iterations from 0 to iterations – 1 iterations = [i for i in range(iterations)] # temperatures for every iterations temperatures = [initial_temp/float(i + 1) for i in iterations] # plot iterations vs temperatures pyplot.plot(iterations, temperatures) pyplot.xlabel(‘Iteration’) pyplot.ylabel(‘Temperature’) pyplot.present() |
Working the instance calculates the temperature for every algorithm iteration and creates a plot of algorithm iteration (x-axis) vs. temperature (y-axis).
We are able to see that temperature drops quickly, exponentially, not linearly, such that after 20 iterations it’s beneath 1 and stays low for the rest of the search.

Line Plot of Temperature vs. Algorithm Iteration for Quick Annealing
Subsequent, we are able to get a greater thought of how the metropolis acceptance criterion adjustments over time with the temperature.
Recall that the criterion is a perform of temperature, however can also be a perform of how completely different the target analysis of the brand new level is in comparison with the present working answer. As such, we are going to plot the criterion for just a few completely different “variations in goal perform worth” to see the impact it has on acceptance likelihood.
The whole instance is listed beneath.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 |
# discover metropolis acceptance criterion for simulated annealing from math import exp from matplotlib import pyplot # whole iterations of algorithm iterations = 100 # preliminary temperature initial_temp = 10 # array of iterations from 0 to iterations – 1 iterations = [i for i in range(iterations)] # temperatures for every iterations temperatures = [initial_temp/float(i + 1) for i in iterations] # metropolis acceptance criterion variations = [0.01, 0.1, 1.0] for d in variations: metropolis = [exp(–d/t) for t in temperatures] # plot iterations vs metropolis label = ‘diff=%.2f’ % d pyplot.plot(iterations, metropolis, label=label) # inalize plot pyplot.xlabel(‘Iteration’) pyplot.ylabel(‘Metropolis Criterion’) pyplot.legend() pyplot.present() |
Working the instance calculates the metropolis acceptance criterion for every algorithm iteration utilizing the temperature proven for every iteration (proven within the earlier part).
The plot has three traces for 3 variations between the brand new worse answer and the present working answer.
We are able to see that the more severe the answer is (the bigger the distinction), the much less seemingly the mannequin is to simply accept the more severe answer whatever the algorithm iteration, as we would anticipate. We are able to additionally see that in all circumstances, the chance of accepting worse options decreases with algorithm iteration.

Line Plot of Metropolis Acceptance Criterion vs. Algorithm Iteration for Simulated Annealing
Now that we’re extra accustomed to the conduct of the temperature and metropolis acceptance criterion over time, let’s apply simulated annealing to our check drawback.
First, we are going to seed the pseudorandom quantity generator.
This isn’t required normally, however on this case, I wish to guarantee we get the identical outcomes (similar sequence of random numbers) every time we run the algorithm so we are able to plot the outcomes later.
... # seed the pseudorandom quantity generator seed(1) |
Subsequent, we are able to outline the configuration of the search.
On this case, we are going to seek for 1,000 iterations of the algorithm and use a step dimension of 0.1. On condition that we’re utilizing a Gaussian perform for producing the step, which means about 99 p.c of all steps taken will likely be inside a distance of (0.1 * 3) of a given level, e.g. three normal deviations.
We may also use an preliminary temperature of 10.0. The search process is extra delicate to the annealing schedule than the preliminary temperature, as such, preliminary temperature values are nearly arbitrary.
... n_iterations = 1000 # outline the utmost step dimension step_size = 0.1 # preliminary temperature temp = 10 |
Subsequent, we are able to carry out the search and report the outcomes.
... # carry out the simulated annealing search finest, rating = simulated_annealing(goal, bounds, n_iterations, step_size, temp) print(‘Finished!’) print(‘f(%s) = %f’ % (finest, rating)) |
Tying this all collectively, the whole instance is listed beneath.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 |
# simulated annealing search of a one-dimensional goal perform from numpy import asarray from numpy import exp from numpy.random import randn from numpy.random import rand from numpy.random import seed
# goal perform def goal(x): return x[0]**2.0
# simulated annealing algorithm def simulated_annealing(goal, bounds, n_iterations, step_size, temp): # generate an preliminary level finest = bounds[:, 0] + rand(len(bounds)) * (bounds[:, 1] – bounds[:, 0]) # consider the preliminary level best_eval = goal(finest) # present working answer curr, curr_eval = finest, finest_eval # run the algorithm for i in vary(n_iterations): # take a step candidate = curr + randn(len(bounds)) * step_dimension # consider candidate level candidate_eval = goal(candidate) # test for brand spanking new finest answer if candidate_eval < best_eval: # retailer new finest level finest, best_eval = candidate, candidate_eval # report progress print(‘>%d f(%s) = %.5f’ % (i, finest, best_eval)) # distinction between candidate and present level analysis diff = candidate_eval – curr_eval # calculate temperature for present epoch t = temp / float(i + 1) # calculate metropolis acceptance criterion metropolis = exp(–diff / t) # test if we should always preserve the brand new level if diff < 0 or rand() < metropolis: # retailer the brand new present level curr, curr_eval = candidate, candidate_eval return [best, best_eval]
# seed the pseudorandom quantity generator seed(1) # outline vary for enter bounds = asarray([[–5.0, 5.0]]) # outline the entire iterations n_iterations = 1000 # outline the utmost step dimension step_size = 0.1 # preliminary temperature temp = 10 # carry out the simulated annealing search finest, rating = simulated_annealing(goal, bounds, n_iterations, step_size, temp) print(‘Finished!’) print(‘f(%s) = %f’ % (finest, rating)) |
Working the instance stories the progress of the search together with the iteration quantity, the enter to the perform, and the response from the target perform every time an enchancment was detected.
On the finish of the search, one of the best answer is discovered and its analysis is reported.
Be aware: Your outcomes might fluctuate given the stochastic nature of the algorithm or analysis process, or variations in numerical precision. Contemplate working the instance just a few occasions and examine the common end result.
On this case, we are able to see about 20 enhancements over the 1,000 iterations of the algorithm and an answer that could be very near the optimum enter of 0.0 that evaluates to f(0.0) = 0.0.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 |
>34 f([-0.78753544]) = 0.62021 >35 f([-0.76914239]) = 0.59158 >37 f([-0.68574854]) = 0.47025 >39 f([-0.64797564]) = 0.41987 >40 f([-0.58914623]) = 0.34709 >41 f([-0.55446029]) = 0.30743 >42 f([-0.41775702]) = 0.17452 >43 f([-0.35038542]) = 0.12277 >50 f([-0.15799045]) = 0.02496 >66 f([-0.11089772]) = 0.01230 >67 f([-0.09238208]) = 0.00853 >72 f([-0.09145261]) = 0.00836 >75 f([-0.05129162]) = 0.00263 >93 f([-0.02854417]) = 0.00081 >144 f([0.00864136]) = 0.00007 >149 f([0.00753953]) = 0.00006 >167 f([-0.00640394]) = 0.00004 >225 f([-0.00044965]) = 0.00000 >503 f([-0.00036261]) = 0.00000 >512 f([0.00013605]) = 0.00000 Finished! f([0.00013605]) = 0.000000 |
It may be fascinating to assessment the progress of the search as a line plot that reveals the change within the analysis of one of the best answer every time there’s an enchancment.
We are able to replace the simulated_annealing() to maintain monitor of the target perform evaluations every time there’s an enchancment and return this listing of scores.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 |
# simulated annealing algorithm def simulated_annealing(goal, bounds, n_iterations, step_size, temp): # generate an preliminary level finest = bounds[:, 0] + rand(len(bounds)) * (bounds[:, 1] – bounds[:, 0]) # consider the preliminary level best_eval = goal(finest) # present working answer curr, curr_eval = finest, finest_eval # run the algorithm for i in vary(n_iterations): # take a step candidate = curr + randn(len(bounds)) * step_dimension # consider candidate level candidate_eval = goal(candidate) # test for brand spanking new finest answer if candidate_eval < best_eval: # retailer new finest level finest, best_eval = candidate, candidate_eval # preserve monitor of scores scores.append(best_eval) # report progress print(‘>%d f(%s) = %.5f’ % (i, finest, best_eval)) # distinction between candidate and present level analysis diff = candidate_eval – curr_eval # calculate temperature for present epoch t = temp / float(i + 1) # calculate metropolis acceptance criterion metropolis = exp(–diff / t) # test if we should always preserve the brand new level if diff < 0 or rand() < metropolis: # retailer the brand new present level curr, curr_eval = candidate, candidate_eval return [best, best_eval, scores] |
We are able to then create a line plot of those scores to see the relative change in goal perform for every enchancment discovered in the course of the search.
... # line plot of finest scores pyplot.plot(scores, ‘.-‘) pyplot.xlabel(‘Enchancment Quantity’) pyplot.ylabel(‘Analysis f(x)’) pyplot.present() |
Tying this collectively, the whole instance of performing the search and plotting the target perform scores of the improved options in the course of the search is listed beneath.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 |
# simulated annealing search of a one-dimensional goal perform from numpy import asarray from numpy import exp from numpy.random import randn from numpy.random import rand from numpy.random import seed from matplotlib import pyplot
# goal perform def goal(x): return x[0]**2.0
# simulated annealing algorithm def simulated_annealing(goal, bounds, n_iterations, step_size, temp): # generate an preliminary level finest = bounds[:, 0] + rand(len(bounds)) * (bounds[:, 1] – bounds[:, 0]) # consider the preliminary level best_eval = goal(finest) # present working answer curr, curr_eval = finest, best_eval scores = listing() # run the algorithm for i in vary(n_iterations): # take a step candidate = curr + randn(len(bounds)) * step_dimension # consider candidate level candidate_eval = goal(candidate) # test for brand spanking new finest answer if candidate_eval < best_eval: # retailer new finest level finest, best_eval = candidate, candidate_eval # preserve monitor of scores scores.append(best_eval) # report progress print(‘>%d f(%s) = %.5f’ % (i, finest, best_eval)) # distinction between candidate and present level analysis diff = candidate_eval – curr_eval # calculate temperature for present epoch t = temp / float(i + 1) # calculate metropolis acceptance criterion metropolis = exp(–diff / t) # test if we should always preserve the brand new level if diff < 0 or rand() < metropolis: # retailer the brand new present level curr, curr_eval = candidate, candidate_eval return [best, best_eval, scores]
# seed the pseudorandom quantity generator seed(1) # outline vary for enter bounds = asarray([[–5.0, 5.0]]) # outline the entire iterations n_iterations = 1000 # outline the utmost step dimension step_size = 0.1 # preliminary temperature temp = 10 # carry out the simulated annealing search finest, rating, scores = simulated_annealing(goal, bounds, n_iterations, step_size, temp) print(‘Finished!’) print(‘f(%s) = %f’ % (finest, rating)) # line plot of finest scores pyplot.plot(scores, ‘.-‘) pyplot.xlabel(‘Enchancment Quantity’) pyplot.ylabel(‘Analysis f(x)’) pyplot.present() |
Working the instance performs the search and stories the outcomes as earlier than.
A line plot is created exhibiting the target perform analysis for every enchancment in the course of the hill climbing search. We are able to see about 20 adjustments to the target perform analysis in the course of the search with giant adjustments initially and really small to imperceptible adjustments in the direction of the top of the search because the algorithm converged on the optima.

Line Plot of Goal Operate Analysis for Every Enchancment Through the Simulated Annealing Search
Additional Studying
This part offers extra sources on the subject if you’re seeking to go deeper.
Papers
Books
Articles
Abstract
On this tutorial, you found the simulated annealing optimization algorithm for perform optimization.
Particularly, you realized:
- Simulated annealing is a stochastic international search algorithm for perform optimization.
- Methods to implement the simulated annealing algorithm from scratch in Python.
- Methods to use the simulated annealing algorithm and examine the outcomes of the algorithm.
Do you will have any questions?
Ask your questions within the feedback beneath and I’ll do my finest to reply.



Mukesh Ambani once more falls to second richest Asian spot after briefly surpassing China’s Zhong Shanshan

Aswath Damodaran on the COVID Crucible: A Play in Three Acts

Blockchain and crypto will problem present finance, Nigeria VP says

33 Black Historical past Month Actions for February and Past

Entrance-Finish Efficiency Guidelines 2021 — Smashing Journal
