Skip to content

Commit 8f28113

Browse files
authored
Merge pull request #5 from LelleSwe/main
sync
2 parents df4b8da + f5cc056 commit 8f28113

File tree

8 files changed

+138
-31
lines changed

8 files changed

+138
-31
lines changed

Cargo.lock

+7-7
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

src/algorithms/eval.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -16,7 +16,7 @@ pub fn eval_no_legal_moves(board: &Board) -> f32 {
1616
f32::MAX
1717
};
1818
}
19-
pub fn new_eval_is_better(maximise: bool, old: &Evaluation, new: &Evaluation) -> bool {
19+
pub(crate) fn new_eval_is_better(maximise: bool, old: &Evaluation, new: &Evaluation) -> bool {
2020
new.eval.is_some()
2121
&& (old.eval.is_none()
2222
|| maximise && new.eval.unwrap() > old.eval.unwrap()

src/algorithms/the_algorithm.rs

+1
Original file line numberDiff line numberDiff line change
@@ -13,6 +13,7 @@ use crate::modules::{alpha_beta, analyze};
1313

1414
use super::utils::Evaluation;
1515

16+
1617
#[derive(Clone, Debug)]
1718
pub(crate) struct Algorithm {
1819
pub(crate) modules: u32,

src/common/constants.rs

+2
Original file line numberDiff line numberDiff line change
@@ -11,6 +11,8 @@ pub(crate) mod modules {
1111
pub(crate) const TAPERED_INCREMENTAL_PESTO_PSQT: u32 = 1 << 9;
1212
}
1313

14+
pub(crate) const NUMBER_OF_MODULES: u32 = 9;
15+
1416
//NAIVE_PSQT TABLES
1517
pub(crate) mod naive_psqt_tables {
1618
#[rustfmt::skip]

src/io.rs

+39
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,39 @@
1+
use std::{fs::OpenOptions, io::{self, prelude::*}};
2+
3+
use crate::common::constants::NUMBER_OF_MODULES;
4+
5+
pub(crate) fn write_result(buf: &[u8], file: &str) -> std::io::Result<()> {
6+
let mut file = OpenOptions::new().write(true).create(true).append(true).open(file).unwrap();
7+
file.write(buf)?;
8+
Ok(())
9+
}
10+
11+
pub(crate)fn modules_to_string(modules: u32) -> String {
12+
let mut start: bool = true;
13+
let mut output: String = "".to_string();
14+
//For loop ranges is all available modules index. +1 because we need inclusive.
15+
for i in 0..NUMBER_OF_MODULES+1 {
16+
if (modules & (1 << i)).count_ones() == 1 {
17+
let module_string = match i {
18+
0 => "ANALYZE",
19+
1 => "ALPHA_BETA",
20+
2 => "TRANSPOSITION_TABLE",
21+
3 => "SEARCH_EXTENSIONS",
22+
4 => "SQUARE_CONTROL_METRIC",
23+
5 => "SKIP_BAD_MOVES",
24+
6 => "NAIVE_PSQT",
25+
7 => "PAWN_STRUCTURE",
26+
8 => "TAPERED_EVERY_PESTO_PSQT",
27+
9 => "TAPERED_INCREMENTAL_PESTO_PSQT",
28+
_ => "INVALID MODULE DETECTED"
29+
};
30+
if !start {
31+
output = output + &", " + module_string;
32+
} else {
33+
start = false;
34+
output = module_string.to_string();
35+
}
36+
}
37+
}
38+
output
39+
}

src/main.rs

+61-12
Original file line numberDiff line numberDiff line change
@@ -1,32 +1,81 @@
11
use std::time::Duration;
22

3+
34
use crate::algorithms::the_algorithm::Algorithm;
45
#[allow(unused_imports)]
5-
use crate::common::constants::modules::{
6+
use crate::common::constants::{modules::{
67
ALPHA_BETA, ANALYZE, NAIVE_PSQT, PAWN_STRUCTURE, SEARCH_EXTENSIONS, SKIP_BAD_MOVES,
78
SQUARE_CONTROL_METRIC, TAPERED_EVERY_PESTO_PSQT, TAPERED_INCREMENTAL_PESTO_PSQT,
89
TRANSPOSITION_TABLE,
9-
};
10+
}, NUMBER_OF_MODULES};
11+
use crate::io::{write_result, modules_to_string};
1012

11-
use self::pitter::logic::Competition;
13+
use self::pitter::logic::{Competition, CompetitionResults};
1214

1315
mod algorithms;
1416
mod common;
1517
mod modules;
1618
mod pitter;
19+
mod io;
1720

1821
//If we should print the moves played and results of each game.
19-
pub(crate) const PRINT_GAME: bool = false;
22+
pub(crate) const PRINT_GAME: bool = true;
23+
//If we should test all possible pairs of combinations.
24+
const TEST_ALL_PAIRS: bool = true;
25+
2026

2127
#[tokio::main]
2228
async fn main() {
23-
//ALPHA_BETA | ANALYZE | SEARCH_EXTENSIONS | SKIP_BAD_MOVES | SQUARE_CONTROL_METRIC | TRANSPOSITION_TABLE | NAIVE_PSQT | PAWN_STRUCTURE | TAPERED_EVERY_PESTO_PSQT | TAPERED_INCREMENTAL_PESTO_PSQT
24-
//Put 0 for no modules.
25-
let modules1 = ALPHA_BETA | TAPERED_EVERY_PESTO_PSQT;
26-
let modules2 = ALPHA_BETA;
27-
let time_per_move1 = Duration::from_micros(4000);
28-
let time_per_move2 = Duration::from_micros(2000);
29+
if !TEST_ALL_PAIRS {
30+
//ALPHA_BETA | ANALYZE | SEARCH_EXTENSIONS | SKIP_BAD_MOVES | SQUARE_CONTROL_METRIC | TRANSPOSITION_TABLE | NAIVE_PSQT | PAWN_STRUCTURE | TAPERED_EVERY_PESTO_PSQT | TAPERED_INCREMENTAL_PESTO_PSQT
31+
//Put 0 for no modules.
32+
//Setup modules
33+
let modules1 = ALPHA_BETA | TAPERED_INCREMENTAL_PESTO_PSQT;
34+
let modules2 = ALPHA_BETA | TAPERED_EVERY_PESTO_PSQT;
35+
let time_per_move1 = Duration::from_micros(2000);
36+
let time_per_move2 = Duration::from_micros(2000);
37+
let game_pairs = 500;
38+
39+
//Run competition
40+
let result = do_competition(modules1, modules2, time_per_move1, time_per_move2, game_pairs).await;
41+
42+
//Save results to file
43+
let mut output: String = "\nAlgo 1 modules: ".to_owned() + &modules_to_string(modules1) + "\nAlgo 2 modules: " + &modules_to_string(modules2)
44+
+ &"\nGame pairs: " + &game_pairs.to_string() + &"\nTime per move, algo1: " + &format!("{:?}", time_per_move1) + "\nTime per move, algo2: " + &format!("{:?}", time_per_move2);
45+
let result = format!("\nCompetition results: {:#?}", &result);
46+
output = output + &result + &"\n\n\n";
47+
let buf = output.as_bytes();
48+
let _ = write_result(buf, "./output.txt");
49+
50+
} else {
51+
println!("Running {} possibilites", (NUMBER_OF_MODULES+1)*NUMBER_OF_MODULES/2);
52+
let time_per_move1 = Duration::from_micros(2000);
53+
let time_per_move2 = Duration::from_micros(2000);
54+
let game_pairs = 1000;
55+
56+
let mut competitions_run: u32 = 0;
57+
for i in 0..NUMBER_OF_MODULES+1 {
58+
for j in i+1..NUMBER_OF_MODULES+1 {
59+
competitions_run += 1;
60+
println!("\rTesting pair {} out of {}", competitions_run, (NUMBER_OF_MODULES+1)*NUMBER_OF_MODULES/2);
61+
let modules1 = 1 << i;
62+
let modules2 = 1 << j;
63+
64+
let result = do_competition(modules1, modules2, time_per_move1, time_per_move2, game_pairs).await;
65+
66+
let mut output: String = "\nAlgo 1 modules: ".to_owned() + &modules_to_string(modules1) + "\nAlgo 2 modules: " + &modules_to_string(modules2)
67+
+ &"\nGame pairs: " + &game_pairs.to_string() + &"\nTime per move, algo1: " + &format!("{:?}", time_per_move1) + "\nTime per move, algo2: " + &format!("{:?}", time_per_move2);
68+
let result = format!("\nCompetition results: {:#?}", &result);
69+
output = output + &result + &"\n\n\n";
70+
let buf = output.as_bytes();
71+
let _ = write_result(buf, "./output.txt");
72+
}
73+
}
74+
}
75+
76+
}
2977

78+
async fn do_competition(modules1: u32, modules2: u32, time_per_move1: Duration, time_per_move2: Duration, game_pairs: u32) -> CompetitionResults {
3079
let competition = Competition::new(
3180
Algorithm::new(modules1, time_per_move1),
3281
Algorithm::new(modules2, time_per_move2),
@@ -35,6 +84,6 @@ async fn main() {
3584
// competition.analyze_algorithm_choices(|(game_info, _), _| {
3685
// game_info.outcome == GameOutcome::InconclusiveTooLong
3786
// });
38-
let results = competition.start_competition(1000).await;
39-
dbg!(results);
87+
let results = competition.start_competition(game_pairs).await;
88+
results
4089
}

src/modules/transposition_table.rs

+4-4
Original file line numberDiff line numberDiff line change
@@ -9,16 +9,16 @@ use crate::common::utils::Stats;
99
#[derive(Debug, Copy, Clone)]
1010
pub struct TranspositionEntry {
1111
pub depth: u32,
12-
pub evaluation: Evaluation,
12+
pub(crate) evaluation: Evaluation,
1313
}
1414

1515
impl TranspositionEntry {
16-
pub fn new(depth: u32, evaluation: Evaluation) -> Self {
16+
pub(crate) fn new(depth: u32, evaluation: Evaluation) -> Self {
1717
TranspositionEntry { depth, evaluation }
1818
}
1919
}
2020

21-
pub fn insert_in_transposition_table(
21+
pub(crate) fn insert_in_transposition_table(
2222
transposition_table: &mut HashMap<Board, TranspositionEntry>,
2323
board: &Board,
2424
depth: u32,
@@ -31,7 +31,7 @@ pub fn insert_in_transposition_table(
3131
stats.transposition_table_entries += 1
3232
}
3333

34-
pub fn get_transposition_entry(
34+
pub(crate) fn get_transposition_entry(
3535
transposition_table: &HashMap<Board, TranspositionEntry>,
3636
stats: &mut Stats,
3737
board: &Board,

src/pitter/logic.rs

+23-7
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,7 @@ use tokio::time::{Duration, Instant};
55
use chess::{Action, Board, Color, Game, GameResult};
66
use tokio::sync::Mutex;
77

8+
89
use crate::algorithms::the_algorithm::Algorithm;
910
use crate::common::constants::modules::ANALYZE;
1011
use crate::common::utils::{self, Stats};
@@ -243,8 +244,12 @@ impl Competition {
243244

244245
//Whether the game just played should be printed in console.
245246
if PRINT_GAME {
246-
println!("Game pair played. Outcome: {:?}", combined_outcome);
247-
println!("{}", utils::to_pgn(&game_pair_info.0.game.unwrap()));
247+
//println!("Game pair played. Outcome: {:?}", combined_outcome);
248+
//println!("{}", utils::to_pgn(&game_pair_info.0.game.unwrap()));
249+
let mut buf = format!("\nGame pair played. Outcome: {:?}", combined_outcome);
250+
buf += &format!("\n{}", utils::to_pgn(&game_pair_info.0.game.unwrap()));
251+
let buf = buf.as_bytes();
252+
let _ = crate::io::write_result(buf, "./output.txt");
248253
}
249254

250255
results.lock().await.register_game_outcome(combined_outcome);
@@ -262,16 +267,27 @@ impl Competition {
262267
tasks.push(task);
263268
}
264269
for task in tasks {
265-
task.await;
270+
let _ = task.await;
266271
}
267272
let sum_stats = sum_stats.lock().await;
268273
let avg_stats = (
269274
sum_stats.0 / sum_stats.0.num_plies,
270275
sum_stats.1 / sum_stats.1.num_plies,
271276
);
272277

273-
println!("Stats for algo1: {:#?}", avg_stats.0);
274-
println!("Stats for algo2: {:#?}", avg_stats.1);
278+
//I don't know why I have to do this middle step terribleness,
279+
//but for some reason it won't compile otherwise.
280+
let algo1stats = format!("Stats for algo1: {:#?}", avg_stats.0);
281+
let algo1stats = algo1stats.as_bytes();
282+
let algo2stats = format!("Stats for algo2: {:#?}", avg_stats.1);
283+
let algo2stats = algo2stats.as_bytes();
284+
285+
//Marking that the result from these calls won't be used.
286+
let _ = crate::io::write_result(algo1stats, "./output.txt");
287+
let _ = crate::io::write_result(algo2stats, "./output.txt");
288+
289+
//println!("Stats for algo1: {:#?}", avg_stats.0);
290+
//println!("Stats for algo2: {:#?}", avg_stats.1);
275291

276292
// Gives E0597 otherwise
277293
#[allow(clippy::let_and_return)]
@@ -359,7 +375,7 @@ impl Competition {
359375
i += 1;
360376
}
361377

362-
dbg!(&self.algo1.board_played_times.values());
363-
dbg!(&self.algo2.board_played_times.values());
378+
/*let _ = write_result(stringify!(&self.algo1.board_played_times.values()).as_bytes(), "./output.txt");
379+
let _ = write_result(stringify!(&self.algo2.board_played_times.values()).as_bytes(), "./output.txt");*/
364380
}
365381
}

0 commit comments

Comments
 (0)