Генетический алгоритм. Реализация популяции - C#

Узнай цену своей работы

Формулировка задачи:

Здравствуйте. У меня стоит задача создать приложение, демонстрирующее работу генетического алгоритма. Суть, вроде, уловил. Но возникли сложности при реализации отбора особей. Я пытался использовать несколько двумерных массивов(один массив - особи первого/предыдущего поколения, другой - новое), но выходило слишком громоздко, непонятно. Попросил помочь преподавателя. Он сказал, что нужно использовать принцип ООП, в частности, классы и объекты(каждый объект - это отдельный вид). Нашел в сети программу по теме, но там использовались классы от классов, интерфейсы и собственные пространства, в чем я пока не силен. Мне нужно что-то похожее на решение данной задачи, и наставления и советы как правильно стоит использовать объекты, классы. Очень уж долго сам старался разобраться. Кратко о функционале: пользователь может выбирать один из двух способов скрещивания и селекции, указывать размер популяции, диапазоны значений, проценты мутаций и скрещивания. P. S. Также преподаватель сказал, что с классами и объектами работать проще, чем с абстрактными числами. Мне несколько непонятен смысл данного высказывания.

Решение задачи: «Генетический алгоритм. Реализация популяции»

textual
Листинг программы
  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5. using System.Threading.Tasks;
  6. using System.Collections;
  7.  
  8.  
  9. namespace ConsoleApplication
  10. {
  11.     class Program
  12.     {
  13.         private static Random rand = new Random();
  14.         public delegate double GAFunction(double[] values);
  15.  
  16.         //Use the Visual C\# built-in random number generator
  17.         //generator or one of your own choosing here. This section
  18.         //was commented out because there is already a global
  19.         //instantiation of a random class object that was
  20.         //initialized ealier in this demonstration file.
  21.         //private static Random rand = new Random();
  22.  
  23.         //A Genetic Algorithm class
  24.         public class GA
  25.         {
  26.             public double MutationRate;
  27.             public double CrossoverRate;
  28.             public int ChromosomeLength;
  29.             public int PopulationSize;
  30.             public int GenerationSize;
  31.             public double TotalFitness;
  32.             public bool Elitism;
  33.             private ArrayList CurrentGenerationList;
  34.             private ArrayList NextGenerationList;
  35.             private ArrayList FitnessList;
  36.             static private GAFunction getFitness;
  37.             public GAFunction FitnessFunction
  38.             {
  39.                 get { return getFitness; }
  40.                 set { getFitness = value; }
  41.             }
  42.  
  43.             //Constructor with user specified crossover rate,
  44.             //mutation rate, population size, generation size
  45.             //and chromosome length.
  46.             public GA(double XoverRate, double mutRate, int popSize, int genSize, int ChromLength)
  47.             {
  48.                 Elitism = false;
  49.                 MutationRate = mutRate;
  50.                 CrossoverRate = XoverRate;
  51.                 PopulationSize = popSize;
  52.                 GenerationSize = genSize;
  53.                 ChromosomeLength = ChromLength;
  54.             }
  55.  
  56.             // Method which starts the GA executing.
  57.             public void LaunchGA()
  58.             {
  59.                 //Create the arrays to hold the fitness,
  60.                 //current and next generation lists
  61.                 FitnessList = new ArrayList();
  62.                 CurrentGenerationList = new ArrayList(GenerationSize);
  63.                 NextGenerationList = new ArrayList(GenerationSize);
  64.                 //and initilize the mutation rate.
  65.                 Chromosome.ChromosomeMutationRate = MutationRate;
  66.  
  67.                 //Create the initial chromosome population by repeatedly
  68.                 //calling the user supplied fitness function
  69.                 for (int i = 0; i < PopulationSize; i++)
  70.                 {
  71.                     Chromosome g = new Chromosome(ChromosomeLength, true);
  72.                     CurrentGenerationList.Add(g);
  73.                 }
  74.  
  75.                 //Rank the initial chromosome population
  76.                 RankPopulation();
  77.  
  78.                 //Loop through the entire generation size creating
  79.                 //and evaluating generations of new chromosomes.
  80.                 for (int i = 0; i < GenerationSize; i++)
  81.                 {
  82.                     CreateNextGeneration();
  83.                     RankPopulation();
  84.                 }
  85.             }
  86.  
  87.             //After ranking all the chromosomes by fitness, use a
  88.             //"roulette wheel" selection method that allocates a large
  89.             //probability of being selected to those chromosomes with the
  90.             //highest fitness. That is, preference in the selection process
  91.             //is biased towards those chromosomes exhibiting highest fitness.
  92.             private int RouletteSelection()
  93.             {
  94.                 double randomFitness = rand.NextDouble() * TotalFitness;
  95.                 int idx = -1;
  96.                 int mid;
  97.                 int first = 0;
  98.                 int last = PopulationSize - 1;
  99.                 mid = (last - first) / 2;
  100.                 while (idx == -1 && first <= last)
  101.                 {
  102.                     if (randomFitness < (double)FitnessList[mid])
  103.                     { last = mid; }
  104.                     else if (randomFitness > (double)FitnessList[mid])
  105.                     { first = mid; }
  106.                     mid = (first + last) / 2;
  107.                     if ((last - first) == 1) idx = last;
  108.                 }
  109.                 return idx;
  110.             }
  111.  
  112.             // Rank population and then sort it in order of fitness.
  113.             private void RankPopulation()
  114.             {
  115.                 TotalFitness = 0;
  116.                 for (int i = 0; i < PopulationSize; i++)
  117.                 {
  118.                     Chromosome g = ((Chromosome)CurrentGenerationList[i]);
  119.                     g.ChromosomeFitness = FitnessFunction(g.ChromosomeGenes);
  120.                     TotalFitness += g.ChromosomeFitness;
  121.                 }
  122.                 CurrentGenerationList.Sort(new ChromosomeComparer());
  123.                 double fitness = 0.0;
  124.                 FitnessList.Clear();
  125.                 for (int i = 0; i < PopulationSize; i++)
  126.                 {
  127.                     fitness += ((Chromosome)CurrentGenerationList[i]).ChromosomeFitness;
  128.                     FitnessList.Add((double)fitness);
  129.                 }
  130.             }
  131.  
  132.             //Create a new generation of chromosomes. There are many
  133.             //different ways to do this. The basic idea used here is
  134.             //to first check to see if the elitist flag has been set.
  135.             //If so, then copy the chromosomes from this generation
  136.             //to the next before looping through the entire chromosome
  137.             //population spawning and mutating children. Finally, if the
  138.             //elitism flag has been set, then copy the best chromosomes
  139.             //to the new population.
  140.             private void CreateNextGeneration()
  141.             {
  142.                 NextGenerationList.Clear();
  143.                 Chromosome g = null;
  144.                 if (Elitism)
  145.                     g = (Chromosome)CurrentGenerationList[PopulationSize - 1];
  146.                 for (int i = 0; i < PopulationSize; i += 2)
  147.                 {
  148.                     int pidx1 = RouletteSelection();
  149.                     int pidx2 = RouletteSelection();
  150.                     Chromosome parent1, parent2, child1, child2;
  151.                     parent1 = ((Chromosome)CurrentGenerationList[pidx1]);
  152.                     parent2 = ((Chromosome)CurrentGenerationList[pidx2]);
  153.  
  154.                     if (rand.NextDouble() < CrossoverRate)
  155.                     { parent1.Crossover(ref parent2, out child1, out child2); }
  156.                     else
  157.                     {
  158.                         child1 = parent1;
  159.                         child2 = parent2;
  160.                     }
  161.                     child1.Mutate();
  162.                     child2.Mutate();
  163.                     NextGenerationList.Add(child1);
  164.                     NextGenerationList.Add(child2);
  165.                 }
  166.                 if (Elitism && g != null) NextGenerationList[0] = g;
  167.                 CurrentGenerationList.Clear();
  168.                 for (int i = 0; i < PopulationSize; i++)
  169.                     CurrentGenerationList.Add(NextGenerationList[i]);
  170.             }
  171.  
  172.             //Extract the best values based on fitness from the current generation.
  173.             //Since the ranking process already sorted the latest current generation
  174.             //list, just pluck out the best values from the current generation list.
  175.             public void GetBestValues(out double[] values, out double fitness)
  176.             {
  177.                 Chromosome g = ((Chromosome)CurrentGenerationList[PopulationSize - 1]);
  178.                 values = new double[g.ChromosomeLength];
  179.                 g.ExtractChromosomeValues(ref values);
  180.                 fitness = (double)g.ChromosomeFitness;
  181.             }
  182.         }
  183.  
  184.         public class Chromosome
  185.         {
  186.             public double[] ChromosomeGenes;
  187.             public int ChromosomeLength;
  188.             public double ChromosomeFitness;
  189.             public static double ChromosomeMutationRate;
  190.  
  191.             //Chromosome class constructor
  192.             //Actual functionality is to set up an array
  193.             //called ChromosomeGenes and depending on the
  194.             //boolean flag createGenes, it may or may not
  195.             //fill this array with random values from 0 to 1
  196.             //up to some specified ChromosomeLength
  197.             public Chromosome(int length, bool createGenes)
  198.             {
  199.                 ChromosomeLength = length;
  200.                 ChromosomeGenes = new double[length];
  201.                 if (createGenes)
  202.                 {
  203.                     for (int i = 0; i < ChromosomeLength; i++)
  204.                         ChromosomeGenes[i] = rand.NextDouble();
  205.                 }
  206.             }
  207.  
  208.             //Creates two offspring children using a single crossover point.
  209.             //The basic idea is to first pick a random position, create two
  210.             //children and then swap their genes starting from the randomly
  211.             //picked position point.
  212.             public void Crossover(ref Chromosome Chromosome2, out Chromosome child1, out Chromosome child2)
  213.             {
  214.                 int position = (int)(rand.NextDouble() * (double)ChromosomeLength);
  215.                 child1 = new Chromosome(ChromosomeLength, false);
  216.                 child2 = new Chromosome(ChromosomeLength, false);
  217.                 for (int i = 0; i < ChromosomeLength; i++)
  218.                 {
  219.                     if (i < position)
  220.                     {
  221.                         child1.ChromosomeGenes[i] = ChromosomeGenes[i];
  222.                         child2.ChromosomeGenes[i] = Chromosome2.ChromosomeGenes[i];
  223.                     }
  224.                     else
  225.                     {
  226.                         child1.ChromosomeGenes[i] = Chromosome2.ChromosomeGenes[i];
  227.                         child2.ChromosomeGenes[i] = ChromosomeGenes[i];
  228.                     }
  229.                 }
  230.             }
  231.  
  232.             //Mutates the chromosome genes by randomly switching them around
  233.             public void Mutate()
  234.             {
  235.                 for (int position = 0; position < ChromosomeLength; position++)
  236.                 {
  237.                     if (rand.NextDouble() < ChromosomeMutationRate)
  238.                         ChromosomeGenes[position] = (ChromosomeGenes[position] + rand.NextDouble()) / 2.0;
  239.                 }
  240.             }
  241.  
  242.             //Extracts the chromosome values
  243.             public void ExtractChromosomeValues(ref double[] values)
  244.             {
  245.                 for (int i = 0; i < ChromosomeLength; i++)
  246.                     values[i] = ChromosomeGenes[i];
  247.             }
  248.         }
  249.  
  250.         //Compares two chromosomes by their fitness values
  251.         public sealed class ChromosomeComparer : IComparer
  252.         {
  253.             public int Compare(object x, object y)
  254.             {
  255.                 if (!(x is Chromosome) || !(y is Chromosome))
  256.                     throw new ArgumentException("Not of type Chromosome");
  257.                 if (((Chromosome)x).ChromosomeFitness > ((Chromosome)y).ChromosomeFitness)
  258.                     return 1;
  259.                 else if (((Chromosome)x).ChromosomeFitness == ((Chromosome)y).ChromosomeFitness)
  260.                     return 0;
  261.                 else
  262.                     return -1;
  263.             }
  264.         }
  265.  
  266.         public static double GenAlgTestFcn(double[] values)
  267.         {
  268.             if (values.GetLength(0) != 2)
  269.                 throw new Exception("should only have 2 args");
  270.  
  271.             double x = values[0]; double y = values[1];
  272.  
  273.             return (15 * x * y * (1 - x) * (1 - y) * Math.Sin(Math.PI * x) * Math.Sin(Math.PI * y));
  274.         }
  275.  
  276.         static void Main(string[] args)
  277.         {
  278.             Console.WriteLine("\nFinding global optimum values to the function:\n");
  279.             Console.WriteLine("f(x,y) = 15xy(1-x)(1-y)sin(pi*x)sin(pi*y)\n");
  280.             Console.WriteLine("by using a genetic algorithm with initial parameters: \n");
  281.             Console.WriteLine("Crossover\t=80%");
  282.             Console.WriteLine("Mutation\t=5%");
  283.             Console.WriteLine("Population size\t=100");
  284.             Console.WriteLine("Generations\t=2000");
  285.             Console.WriteLine("Chromosome size\t=2\n");
  286.             Console.WriteLine("Actual max values are: x_max = 0.5 and y_max = 0.5\n");
  287.  
  288.             GA ga = new GA(0.8, 0.05, 100, 2000, 2);
  289.             ga.FitnessFunction = new GAFunction(GenAlgTestFcn);
  290.             ga.Elitism = true;
  291.             ga.LaunchGA();
  292.  
  293.             double[] values; double fitness;
  294.             ga.GetBestValues(out values, out fitness);
  295.  
  296.             Console.WriteLine("Calculated max values are: \nx_max = {0} \ny_max = {1}\n", values[0], values[1]);
  297.             Console.WriteLine("f(x_max,y_max) = f({0},{1}) = {2}", values[0], values[1], fitness);
  298.             Console.WriteLine("\nPress ENTER to continue program");
  299.             Console.ReadLine();
  300.         }
  301.     }
  302. }

ИИ поможет Вам:


  • решить любую задачу по программированию
  • объяснить код
  • расставить комментарии в коде
  • и т.д
Попробуйте бесплатно

Оцени полезность:

7   голосов , оценка 3.429 из 5

Нужна аналогичная работа?

Оформи быстрый заказ и узнай стоимость

Бесплатно
Оформите заказ и авторы начнут откликаться уже через 10 минут
Похожие ответы