-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathParticle_With_LS.py
More file actions
80 lines (59 loc) · 2.87 KB
/
Particle_With_LS.py
File metadata and controls
80 lines (59 loc) · 2.87 KB
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
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
from Pallets import Pallets
import random
class Particle_With_LS:
"""
A variant of the Particle class. Represents a single particle in the PSOwLSI algorithm.
"""
INERTIAL_COEFFICIENT = 0.721
COGNITIVE_COEFFICIENT = 1.1193
SOCIAL_COEFFICIENT = 1.1193
def __init__(self, pallet_problem : Pallets, initial_solution):
"""
Initialise the particle with its initial position and velocity, and an instance of the pallet problem (used
to generate and evaluate solutions).
Unlike in standard PSO, pbest is initialised to a position generated by a local search on the start position,
and the velocity is initialised to the vector toward pbest.
"""
self.pallet_problem = pallet_problem
self.position = initial_solution
self.pbest = self.pallet_problem.iterative_neighbourhood_search(self.position, 30)
self.pbest_cost = self.pallet_problem.evaluate_cost(self.pbest)
self.velocity = [None for x in range(len(self.position))]
random_position = self.pbest
# Set initial velocity to half the difference between a random position and the initial position
for i in range(len(random_position)):
self.velocity[i] = (random_position[i] - self.position[i]) / 2
def calculate_new_velocity(self, gbest):
"""
Calculate the new velocity vector for the particle.
Parameters:
gbest: the global best position found by the swarm
Returns: the new velocity vector
"""
new_velocity = [None for x in range(len(gbest))]
for i in range(len(self.velocity)):
new_velocity[i] = (self.INERTIAL_COEFFICIENT * self.velocity[i]) + self.COGNITIVE_COEFFICIENT * random.random() * (self.pbest[i] - self.position[i]) + self.SOCIAL_COEFFICIENT * random.random() * (gbest[i] - self.position[i])
return new_velocity
def calculate_new_position(self):
"""
Use the particle's velocity to calculate its new position.
Returns: the new position
"""
new_position = [None for x in range(len(self.position))]
for i in range(len(self.position)):
new_position[i] = self.position[i] + self.velocity[i]
return new_position
def update_particle(self, gbest):
"""
Update the particle's velocity and position and, if the new position is better, update pbest.
Parameters:
gbest: the global best position found by the swarm
Returns: the new position of the particle
"""
self.velocity = self.calculate_new_velocity(gbest)
self.position = self.calculate_new_position()
new_cost = self.pallet_problem.evaluate_cost(self.position)
if new_cost < self.pbest_cost:
self.pbest = self.position
self.pbest_cost = new_cost
return self.position