genetic-algorithm

A genetic algorithm implementation for Rust. Inspired by the book Genetic Algorithms in Elixir

There are three main elements to this approach: * The Genotype (the search space) * The Fitness function (the search goal) * The Evolve strategy (the search strategy)

Examples

Quick Usage

```rust use genetic_algorithm::evolve::prelude::*;

// the search space let genotype = BinaryGenotype::builder() // boolean genes .withgenesize(100) // 100 of them .build() .unwrap();

println!("{}", genotype);

// the search goal to optimize towards (maximize or minimize)

[derive(Clone, Debug)]

pub struct SimpleCount; impl Fitness for SimpleCount { type Genotype = BinaryGenotype; fn callforchromosome(&mut self, chromosome: &Chromosome) -> Option { Some(chromosome.genes.iter().filter(|&value| *value).count() as FitnessValue) } }

// the search strategy let mut rng = rand::threadrng(); // a randomness provider implementing Trait rand::Rng let evolve = Evolve::builder() .withgenotype(genotype) .withpopulationsize(100) // evolve with 100 chromosomes .withtargetfitnessscore(100) // goal is 100 times true in the best chromosome .withcrossover(CrossoverAll(true)) // crossover all individual genes between 2 chromosomes for offspring .withmutate(MutateOnce(0.2)) // mutate a single gene with a 20% probability per chromosome .withfitness(SimpleCount) // count the number of true values in the chromosomes .with_compete(CompeteElite) // sort the chromosomes by fitness to determine crossover order .build() .unwrap() .call(&mut rng);

println!("{}", evolve); ```

Genotypes

The following genotypes are implemented:

Example usage:

rust let genotype = DiscreteGenotype::<u8>::builder() .with_gene_size(100) .with_gene_values(vec![2,4,6,8]) .build() .unwrap();

Fitness

The fitness function has an associated Genotype. It returns an Option<FitnessValue = isize>. When a None is returned the chromosome ends up last in the competition phase, regardless whether the fitness is maximized or minimized. It is usually better to add a penalty to invalid or unwanted solutions instead of returning a None, so "less" invalid chromosomes are preferred over "more" invalid ones. This usually conditions the population towards a solution faster. See example/evolve_knapsack for an example of a penalty and a None.

The trait Fitness needs to be implemented for a fitness function. It only requires one method. The example below is taken from the Infinite Monkey Theorem, see example/evolve_monkeys:

```rust const TARGET_TEXT: &str = "Be not afraid of greatness! Some are great, some achieve greatness, and some have greatness thrust upon 'em.";

[derive(Clone, Debug)]

struct MyFitness; impl Fitness for MyFitness { type Genotype = DiscreteGenotype; fn callforchromosome(&mut self, chromosome: &Chromosome) -> Option { let string = String::fromutf8(chromosome.genes.clone()).unwrap(); println!("{}", string); // not needed, but it looks cool! Some(hamming(&string, TARGETTEXT).unwrap() as FitnessValue) } } ```

Evolve strategy

The Evolve strategy is build with the following options:

After building, the strategy can be executed with a randomness provider (Trait rand::Rng): evolve.call(&mut rng)

Example usage: ```rust let mut evolve = Evolve::builder() .withgenotype(mygenotype) .withpopulationsize(100) .withmaxstalegenerations(1000) .withtargetfitnessscore(0) .withfitnessordering(FitnessOrdering::Minimize) .withdegenerationrange(0.001..0.995) .withmutate(MutateOnce(0.2)) .withfitness(myfitness) .withcrossover(CrossoverAll(true)) .with_compete(CompeteTournament(4)) .build() .unwrap();

evolve.call(&mut rng);

println!("{}", evolve); ```

Permutate strategy (as alternative to Evolve)

Sometimes the population size is small enough to simply check all possible solutions. No randomness, mutation, crossover, competition strategies needed.

The Permute strategy is build with the following options:

After building, the strategy can be executed without the need for a randomness provider.

```rust use geneticalgorithm::fitness::FitnessSimpleCount; use geneticalgorithm::permutate::prelude::*;

let genotype = BinaryGenotype::builder() .withgenesize(16) .build() .unwrap();

println!("{}", genotype);

let mut permutate = Permutate::builder() .withgenotype(genotype) .withfitness(FitnessSimpleCount) // count true values for fitness .withfitnessordering(FitnessOrdering::Minimize) // goal is as little true values as possible .build() .unwrap();

permutate.call();

println!("{}", permutate); ```

Heterogeneous Genotypes and Meta performance analysis

One cool thing to do with genotypes is to make a meta-genotype of all the Crossover/Mutate/Compete strategies and other Evolve parameters. This could be used to optimize the parameters of some other genetic algorithm. Yes, a simple nested for loop would also work, but where is the fun in that? But I wasn't able to find an elegant approach to creating such a heterogene setup. It was tried with Trait objects, Any and Enums, but all didn't work well:

So, after some consideration I settled on using an nested index based Genotype MultiDiscreteGenotype<usize> indices of external vectors of arbitrary types, which should then be retrieved in the fitness function. Only one type is allowed per external vector, so the Crossover/Mutate/Compete strategies all have a Dispatch implementation forwarding to the underlying types (e.g. CompeteDispatch(Competes::Tournament, 4))

See example metaevolvebinary for an meta analysis of the evolution strategy:

Currently implemented as a permutation, but with caching an evolve strategy could also be used for larger search spaces.

```rust use geneticalgorithm::fitness::FitnessSimpleCount; use geneticalgorithm::meta::prelude::*;

let rounds = 10; let populationsizes = vec![1, 2, 3, 4, 5, 10]; let maxstalegenerationsoptions = vec![Some(100)]; let targetfitnessscoreoptions = vec![Some(0)]; let degenerationrange_options = vec![None, Some(0.001..0.995)]; let mutates = vec![ MutateDispatch(Mutates::Once, 0.05), MutateDispatch(Mutates::Once, 0.1), MutateDispatch(Mutates::Once, 0.2), MutateDispatch(Mutates::Once, 0.3), MutateDispatch(Mutates::Once, 0.4), MutateDispatch(Mutates::Once, 0.5), ]; let crossovers = vec![ CrossoverDispatch(Crossovers::Single, true), CrossoverDispatch(Crossovers::Single, false), CrossoverDispatch(Crossovers::All, true), CrossoverDispatch(Crossovers::All, false), CrossoverDispatch(Crossovers::Range, true), CrossoverDispatch(Crossovers::Range, false), CrossoverDispatch(Crossovers::Clone, true), CrossoverDispatch(Crossovers::Clone, false), ]; let competes = vec![ CompeteDispatch(Competes::Elite, 0), CompeteDispatch(Competes::Tournament, 2), CompeteDispatch(Competes::Tournament, 4), CompeteDispatch(Competes::Tournament, 8), ];

let genotype = BinaryGenotype::builder() .withgenesize(10) .build() .unwrap(); let fitness = FitnessSimpleCount; let evolvebuilder = EvolveBuilder::new() .withgenotype(genotype) .withfitness(fitness) .withfitnessordering(FitnessOrdering::Minimize); let evolvefitnesstomicrosecondfactor = 1000000;

let config = MetaConfig::builder() .withevolvebuilder(evolvebuilder) .withevolvefitnesstomicrosecondfactor(evolvefitnesstomicrosecondfactor) .withrounds(rounds) .withpopulationsizes(populationsizes) .withmaxstalegenerationsoptions(maxstalegenerationsoptions) .withtargetfitnessscoreoptions(targetfitnessscoreoptions) .withdegenerationrangeoptions(degenerationrangeoptions) .withmutates(mutates) .withcrossovers(crossovers) .withcompetes(competes) .build() .unwrap();

let permutate = MetaPermutate::new(&config).call(); println!(); println!("{}", permutate); ```

``` meta-permutate population_size: 2304

[...]

meta-permutate: bestpopulationsize: 2 bestmaxstalegenerations: Some(100) besttargetfitnessscore: Some(0) bestdegenerationrange: None bestmutate: Some(MutateDispatch(Once, 0.5)) bestcrossover: Some(CrossoverDispatch(Clone, true)) best_compete: Some(CompeteDispatch(Elite, 0)) ```

Tests

Run tests with cargo test

Benchmarks

Implemented using criterion. Run benchmarks with cargo bench

Profiling

Implemented using criterion and pprof. find the flamegraph in: ./target/criterion/profileevolvebinary/profile/flamegraph.svg

cargo run --example profile_evolve_binary --release -- --bench --profile-time 5

TODO