Genetic Algorithms
Sablier
224.5K views
Open Source Your Knowledge, Become a Contributor
Technology knowledge has to be shared and made accessible for free. Join the movement.
Algorithm
Algorithm overview
- Create the base population
We create a random initial population. Each individual is is defined by its genetic material.
We create a new individual with the previously declared
create_chromosome(size)
function. - Evaluation Each individual is scored on its fitting to the problem. This is done in the beginning of the selection.
- Selection
Each individual has a chance to be retained proportional to the way it fits the problem.
We only keep the selected individuals returned by the
selection(population)
function. - Crossover / reproduction Random couples are formed in the selected population. Each couple produces a new individual. The number of individuals in the population can either be constant or vary over time.
On each reproduction :
- Crossover The genetic material of a child is a combination of the parents' (generally 50% of each parent's genetic material). Once the parents have been chosen the ``crossover(parent1, parent2)` function allows the creation of the child.
- Mutation
Probability : from 0.1% to 1%
Each child have a chance to have a randomly modified gene thanks to the
mutation(chromosome)
function.
Finally, the is_answer(chromosome)
function checks if the individual is solution to the problem (100% score).
If there is no solution, we go to the next generation (phase 2).
The goal of this exercise is to find the secret sentence using a genetic algorithm and the tools we created earlier.
Genetic algorithm
Open Source Your Knowledge: become a Contributor and help others learn. Create New Content
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
import random
import sys
from answer import is_answer, get_mean_score
# You can redefine these functions with the ones you wrote previously.
# Another implementation is provided here.
from encoding import create_chromosome
from tools import selection, crossover, mutation
def create_population(pop_size, chrom_size):
# use the previously defined create_chromosome(size) function
# TODO: create the base population
chrom = create_chromosome(chrom_size)
return ???
def generation(population):
# selection
# use the selection(population) function created on exercise 2
select = selection(population)
# reproduction
# As long as we need individuals in the new population, fill it with children
children = []
# TODO: implement the reproduction
while len(children) < ???:
## crossover
parent1 = ??? # randomly selected
parent2 = ??? # randomly selected
# use the crossover(parent1, parent2) function created on exercise 2
child = crossover(parent1, parent2)
Enter to Rename, Shift+Enter to Preview