import static java.lang.Math.PI; import static java.lang.Math.abs; import static java.lang.Math.sin; import static org.jenetics.engine.EvolutionResult.toBestPhenotype; import static org.jenetics.engine.limit.bySteadyFitness; import java.util.stream.IntStream; import org.jenetics.EnumGene; import org.jenetics.Genotype; import org.jenetics.Optimize; import org.jenetics.PartiallyMatchedCrossover; import org.jenetics.PermutationChromosome; import org.jenetics.Phenotype; import org.jenetics.SwapMutator; import org.jenetics.engine.Engine; import org.jenetics.engine.EvolutionStatistics; public class TravelingSalesman { // Problem initialization: // Calculating the adjacence matrix of the "city" distances. private static final int STOPS = 20; private static final double[][] ADJACENCE = matrix(STOPS); private static double[][] matrix(int stops) { final double radius = 10.0; double[][] matrix = new double[stops][stops]; for (int i = 0; i < stops; ++i) { for (int j = 0; j < stops; ++j) { matrix[i][j] = chord(stops, abs(i - j), radius); } } return matrix; } private static double chord(int stops, int i, double r) { return 2.0*r*abs(sin((PI*i)/stops)); } // Calculate the path length of the current genotype. private static Double dist(final Genotype<EnumGene<Integer>> gt) { // Convert the genotype to the traveling path. final int[] path = gt.getChromosome().toSeq().stream() .mapToInt(EnumGene<Integer>::getAllele) .toArray(); // Calculate the path distance. return IntStream.range(0, STOPS) .mapToDouble(i -> ADJACENCE[path[i]][path[(i + 1)%STOPS]]) .sum(); } public static void main(String[] args) { final Engine<EnumGene<Integer>, Double> engine = Engine .builder( TravelingSalesman::dist, PermutationChromosome.ofInteger(STOPS)) .optimize(Optimize.MINIMUM) .maximalPhenotypeAge(11) .populationSize(500) .alterers( new SwapMutator<>(0.2), new PartiallyMatchedCrossover<>(0.35)) .build(); // Create evolution statistics consumer. final EvolutionStatistics<Double, ?> statistics = EvolutionStatistics.ofNumber(); final Phenotype<EnumGene<Integer>, Double> best = engine.stream() // Truncate the evolution stream after 15 "steady" // generations. .limit(bySteadyFitness(15)) // The evolution will stop after maximal 250 // generations. .limit(250) // Update the evaluation statistics after // each generation .peek(statistics) // Collect (reduce) the evolution stream to // its best phenotype. .collect(toBestPhenotype()); System.out.println(statistics); System.out.println(best); } }