solverforge_solver/phase/localsearch/acceptor/
entity_tabu.rs1use std::fmt::Debug;
4
5use solverforge_core::domain::PlanningSolution;
6
7use super::Acceptor;
8
9pub struct EntityTabuAcceptor {
24 entity_tabu_size: usize,
26 entity_tabu_list: Vec<u64>,
28 current_step_entities: Vec<u64>,
30}
31
32impl Debug for EntityTabuAcceptor {
33 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
34 f.debug_struct("EntityTabuAcceptor")
35 .field("entity_tabu_size", &self.entity_tabu_size)
36 .field("tabu_list_len", &self.entity_tabu_list.len())
37 .finish()
38 }
39}
40
41impl Clone for EntityTabuAcceptor {
42 fn clone(&self) -> Self {
43 Self {
44 entity_tabu_size: self.entity_tabu_size,
45 entity_tabu_list: self.entity_tabu_list.clone(),
46 current_step_entities: self.current_step_entities.clone(),
47 }
48 }
49}
50
51impl EntityTabuAcceptor {
52 pub fn new(entity_tabu_size: usize) -> Self {
58 assert!(entity_tabu_size > 0, "entity_tabu_size must be > 0, got 0");
59 Self {
60 entity_tabu_size,
61 entity_tabu_list: Vec::with_capacity(entity_tabu_size),
62 current_step_entities: Vec::new(),
63 }
64 }
65
66 pub fn record_entity_move(&mut self, entity_id: u64) {
68 self.current_step_entities.push(entity_id);
69 }
70
71 pub fn is_entity_tabu(&self, entity_id: u64) -> bool {
73 self.entity_tabu_list.contains(&entity_id)
74 }
75}
76
77impl Default for EntityTabuAcceptor {
78 fn default() -> Self {
79 Self::new(7)
80 }
81}
82
83impl<S: PlanningSolution> Acceptor<S> for EntityTabuAcceptor {
84 fn is_accepted(&mut self, last_step_score: &S::Score, move_score: &S::Score) -> bool {
85 if move_score > last_step_score {
87 return true;
88 }
89
90 if move_score >= last_step_score {
92 return true;
93 }
94
95 false
96 }
97
98 fn phase_started(&mut self, _initial_score: &S::Score) {
99 self.entity_tabu_list.clear();
100 self.current_step_entities.clear();
101 }
102
103 fn phase_ended(&mut self) {
104 self.entity_tabu_list.clear();
105 }
106
107 fn step_started(&mut self) {
108 self.current_step_entities.clear();
109 }
110
111 fn step_ended(&mut self, _step_score: &S::Score) {
112 for entity_id in &self.current_step_entities {
114 if self.entity_tabu_list.len() >= self.entity_tabu_size {
115 self.entity_tabu_list.remove(0);
116 }
117 self.entity_tabu_list.push(*entity_id);
118 }
119 self.current_step_entities.clear();
120 }
121}