add comments

This commit is contained in:
Simon Gardling 2025-02-13 13:39:23 -05:00
parent 9a8b674720
commit 81c08f5407
Signed by: titaniumtown
GPG Key ID: 9AB28AC10ECE533D
3 changed files with 35 additions and 11 deletions

View File

@ -4,11 +4,15 @@ use std::io;
use std::io::prelude::*; use std::io::prelude::*;
pub trait Agent { pub trait Agent {
/// Returns the move of an [`Agent`]
fn next_move(&mut self, board: &Board) -> Option<(usize, usize)>; fn next_move(&mut self, board: &Board) -> Option<(usize, usize)>;
/// Returns the name of the [`Agent`]
fn name(&self) -> &'static str; fn name(&self) -> &'static str;
/// Returns the color the [`Agent`] is playing
fn color(&self) -> Piece; fn color(&self) -> Piece;
} }
/// An [`Agent`] which a user controls
pub struct ManualAgent { pub struct ManualAgent {
color: Piece, color: Piece,
} }
@ -60,6 +64,7 @@ impl ManualAgent {
} }
} }
/// An [`Agent`] that just makes a random move that is legal
pub struct RandomAgent { pub struct RandomAgent {
color: Piece, color: Piece,
} }

View File

@ -7,7 +7,10 @@ use arrayvec::ArrayVec;
use lazy_static::lazy_static; use lazy_static::lazy_static;
use std::{cmp::Ordering, fmt}; use std::{cmp::Ordering, fmt};
/// Size of each dim of the board
pub const BOARD_SIZE: usize = 8; pub const BOARD_SIZE: usize = 8;
/// Area of the board
pub const BOARD_AREA: usize = BOARD_SIZE * BOARD_SIZE; pub const BOARD_AREA: usize = BOARD_SIZE * BOARD_SIZE;
/// A chain of positions across the board /// A chain of positions across the board
@ -21,6 +24,7 @@ type ChainCollection = ArrayVec<Chain, 8>;
/// with each coordinate /// with each coordinate
type PosMap<T> = ArrayVec<ArrayVec<T, BOARD_SIZE>, BOARD_SIZE>; type PosMap<T> = ArrayVec<ArrayVec<T, BOARD_SIZE>, BOARD_SIZE>;
/// Creates a lookup map for adjacencies and chains from each position on the board
fn gen_adj_lookup() -> PosMap<ChainCollection> { fn gen_adj_lookup() -> PosMap<ChainCollection> {
(0..BOARD_SIZE) (0..BOARD_SIZE)
.map(|i| { .map(|i| {
@ -60,9 +64,12 @@ lazy_static! {
pub static ref ADJ_LOOKUP: PosMap<ChainCollection> = gen_adj_lookup(); pub static ref ADJ_LOOKUP: PosMap<ChainCollection> = gen_adj_lookup();
} }
/// Repersents a Othello game board at a certain space
#[derive(Copy, Clone, PartialEq, Eq)] #[derive(Copy, Clone, PartialEq, Eq)]
pub struct Board { pub struct Board {
/// [`BitBoard`] containing all white pieces
white_board: BitBoard, white_board: BitBoard,
/// [`BitBoard`] containing all black pieces
black_board: BitBoard, black_board: BitBoard,
} }
@ -70,7 +77,10 @@ impl fmt::Display for Board {
#[allow(clippy::repeat_once)] // clippy gets mad about when PADDING == 1 #[allow(clippy::repeat_once)] // clippy gets mad about when PADDING == 1
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
let horiz_sep_line = "-".repeat(BOARD_SIZE * 2 + 1); let horiz_sep_line = "-".repeat(BOARD_SIZE * 2 + 1);
// basically calculates the # of digits BOARD_SIZE needs
const PADDING: usize = (BOARD_SIZE - 1).ilog10() as usize + 1; const PADDING: usize = (BOARD_SIZE - 1).ilog10() as usize + 1;
let space_padding = " ".repeat(PADDING); let space_padding = " ".repeat(PADDING);
// Print numbers at top so the board can be read more easier // Print numbers at top so the board can be read more easier
@ -109,6 +119,7 @@ impl fmt::Display for Board {
} }
impl Board { impl Board {
/// Create a new empty board
pub const fn new() -> Self { pub const fn new() -> Self {
Self { Self {
white_board: BitBoard::new(), white_board: BitBoard::new(),
@ -116,6 +127,7 @@ impl Board {
} }
} }
/// Starting position
pub fn starting_pos(mut self) -> Self { pub fn starting_pos(mut self) -> Self {
self.place_unchecked((BOARD_SIZE / 2) - 1, (BOARD_SIZE / 2) - 1, Piece::White); self.place_unchecked((BOARD_SIZE / 2) - 1, (BOARD_SIZE / 2) - 1, Piece::White);
self.place_unchecked(BOARD_SIZE / 2, (BOARD_SIZE / 2) - 1, Piece::Black); self.place_unchecked(BOARD_SIZE / 2, (BOARD_SIZE / 2) - 1, Piece::Black);
@ -124,28 +136,28 @@ impl Board {
self self
} }
/// Provides an iterator of all possible positions on the board
pub fn all_positions() -> impl Iterator<Item = (usize, usize)> { pub fn all_positions() -> impl Iterator<Item = (usize, usize)> {
(0..BOARD_SIZE).flat_map(|i| (0..BOARD_SIZE).map(move |j| (i, j))) (0..BOARD_SIZE).flat_map(|i| (0..BOARD_SIZE).map(move |j| (i, j)))
} }
/// Returns an iterator of all possible moves a `color` can make
pub fn possible_moves(&self, color: Piece) -> impl Iterator<Item = (usize, usize)> + use<'_> { pub fn possible_moves(&self, color: Piece) -> impl Iterator<Item = (usize, usize)> + use<'_> {
Self::all_positions().filter(move |(i, j)| self.would_prop(*i, *j, color)) Self::all_positions().filter(move |&(i, j)| self.would_prop(i, j, color))
} }
/// Returns a reference to a place on the [`Board`] /// Returns the color of a place on the [`Board`] at a position
/// at (i, j)
pub fn get(&self, i: usize, j: usize) -> Option<Piece> { pub fn get(&self, i: usize, j: usize) -> Option<Piece> {
let white = self.white_board.get(i, j); if self.white_board.get(i, j) {
let black = self.black_board.get(i, j);
if white {
Some(Piece::White) Some(Piece::White)
} else if black { } else if self.black_board.get(i, j) {
Some(Piece::Black) Some(Piece::Black)
} else { } else {
None None
} }
} }
/// Place a piece without checking for propegation of validity
fn place_unchecked(&mut self, i: usize, j: usize, piece: Piece) { fn place_unchecked(&mut self, i: usize, j: usize, piece: Piece) {
match piece { match piece {
Piece::Black => { Piece::Black => {
@ -159,6 +171,8 @@ impl Board {
} }
} }
/// Return a modified [`Board`] with the piece placed at a position
/// Returns None if the move was invalid
pub fn what_if(&self, i: usize, j: usize, piece: Piece) -> Option<Self> { pub fn what_if(&self, i: usize, j: usize, piece: Piece) -> Option<Self> {
if self.get(i, j).is_some() { if self.get(i, j).is_some() {
return None; return None;
@ -174,6 +188,7 @@ impl Board {
Some(self_copy) Some(self_copy)
} }
/// Returns a bool which represents whether or not a move would propegate and be valid
pub fn would_prop(&self, i: usize, j: usize, piece: Piece) -> bool { pub fn would_prop(&self, i: usize, j: usize, piece: Piece) -> bool {
self.get(i, j).is_none() && !self.propegate_from_dry(i, j, piece).is_empty() self.get(i, j).is_none() && !self.propegate_from_dry(i, j, piece).is_empty()
} }
@ -186,6 +201,7 @@ impl Board {
Err("move would not propegate") Err("move would not propegate")
} }
/// Propegate the board and captures starting from a specific position
fn propegate_from(&mut self, i: usize, j: usize) -> usize { fn propegate_from(&mut self, i: usize, j: usize) -> usize {
let Some(starting_color) = self.get(i, j) else { let Some(starting_color) = self.get(i, j) else {
return 0; return 0;
@ -215,14 +231,15 @@ impl Board {
}; };
if piece == starting_color { if piece == starting_color {
// get history of this chain // Chain is only ever added to `fill` if it is completed
if let Some(history) = chain.get(..chain_length) { if let Some(history) = chain.get(..chain_length) {
// fill all opposite colors with this color // fill all opposite colors with this color
fill.extend(history); fill.extend(history);
} }
// either the other pieces were replaced, or this was an invalid chain, // either the other pieces were replaced, or this was an invalid chain,
// in both cases, the loop needs to be breaked // in both cases, the loop needs to be broken
break; break;
} }
} }
@ -230,6 +247,7 @@ impl Board {
fill fill
} }
/// Count the number of a type of [`Piece`] on the board
pub fn count(&self, piece: Piece) -> usize { pub fn count(&self, piece: Piece) -> usize {
match piece { match piece {
Piece::Black => self.black_board.count(), Piece::Black => self.black_board.count(),
@ -242,6 +260,7 @@ impl Board {
(self.count(Piece::White), self.count(Piece::Black)) (self.count(Piece::White), self.count(Piece::Black))
} }
/// Returns the winner of the board (if any)
pub fn game_winner(&self, turn: Piece) -> Option<Piece> { pub fn game_winner(&self, turn: Piece) -> Option<Piece> {
// Wikipedia: `Players take alternate turns. If one player cannot make a valid move, play passes back to the other player. The game ends when the grid has filled up or if neither player can make a valid move.` // Wikipedia: `Players take alternate turns. If one player cannot make a valid move, play passes back to the other player. The game ends when the grid has filled up or if neither player can make a valid move.`

View File

@ -12,8 +12,8 @@ mod piece;
fn main() { fn main() {
let player1 = complexagent::ComplexAgent::new(Piece::Black); let player1 = complexagent::ComplexAgent::new(Piece::Black);
// let player2 = complexagent::ComplexAgent::new(Piece::White); // let player2 = complexagent::ComplexAgent::new(Piece::White);
// let player2 = agent::ManualAgent::new(Piece::White); let player2 = agent::ManualAgent::new(Piece::White);
let player2 = agent::RandomAgent::new(Piece::White); // let player2 = agent::RandomAgent::new(Piece::White);
let mut game = Game::new(Box::new(player1), Box::new(player2)); let mut game = Game::new(Box::new(player1), Box::new(player2));
game.game_loop(); game.game_loop();
} }