-
Notifications
You must be signed in to change notification settings - Fork 0
/
flip_mutator.py
55 lines (39 loc) · 1.49 KB
/
flip_mutator.py
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
from numpy import nan as np_nan
from pygenalgo.genome.chromosome import Chromosome
from pygenalgo.operators.mutation.mutate_operator import MutationOperator
class FlipMutator(MutationOperator):
"""
Description:
Flip mutator, mutates the chromosome by selecting randomly
a position and flip its Gene value (0 -> 1, or 1 -> 0).
"""
def __init__(self, mutate_probability: float = 0.1):
"""
Construct a 'FlipMutator' object with a given probability value.
:param mutate_probability: (float).
"""
# Call the super constructor with the provided
# probability value.
super().__init__(mutate_probability)
# _end_def_
def mutate(self, individual: Chromosome) -> None:
"""
Perform the mutation operation by randomly flipping a gene.
:param individual: (Chromosome).
:return: None.
"""
# If the mutation probability is higher than
# a uniformly random value, make the changes.
if self.probability > self.rng.random():
# Get the size of the chromosome.
M = len(individual)
# Select randomly the mutation point and
# flip the old gene value.
individual[self.rng.integers(M)].flip()
# Invalidate the fitness of the chromosome.
individual.fitness = np_nan
# Increase the mutator counter.
self.inc_counter()
# _end_if_
# _end_def_
# _end_class_