File size: 12,987 Bytes
4c4517f | 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 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 | //! UCI engine self-play: spawn external engines, play games, return results.
//!
//! Each rayon worker gets its own engine subprocess. Games are played via
//! the UCI protocol (stdin/stdout pipes). Supports MultiPV + softmax
//! temperature sampling for move diversity.
use std::io::{BufRead, BufReader, Write};
use std::process::{Child, Command, Stdio};
use rand::rngs::StdRng;
use rand::{Rng, SeedableRng};
use rayon::prelude::*;
/// A single UCI engine process.
struct UciEngine {
child: Child,
reader: BufReader<std::process::ChildStdout>,
}
impl UciEngine {
fn new(path: &str, hash_mb: u32, multi_pv: u32) -> Self {
let mut child = Command::new(path)
.stdin(Stdio::piped())
.stdout(Stdio::piped())
.stderr(Stdio::piped())
.spawn()
.unwrap_or_else(|e| panic!("Failed to start engine at {}: {}", path, e));
let stdout = child.stdout.take().unwrap();
let reader = BufReader::new(stdout);
let mut eng = UciEngine { child, reader };
// Check if engine died immediately
if let Some(status) = eng.child.try_wait().ok().flatten() {
// Read stderr for error message
let mut stderr = String::new();
if let Some(ref mut err) = eng.child.stderr {
use std::io::Read;
let _ = err.read_to_string(&mut stderr);
}
panic!("Engine exited immediately with {}: {}", status, stderr.trim());
}
eng.send("uci");
eng.wait_for("uciok");
eng.send(&format!("setoption name Hash value {}", hash_mb));
eng.send("setoption name Threads value 1");
if multi_pv > 1 {
eng.send(&format!("setoption name MultiPV value {}", multi_pv));
}
eng.send("isready");
eng.wait_for("readyok");
eng
}
fn send(&mut self, cmd: &str) {
let stdin = self.child.stdin.as_mut().unwrap();
writeln!(stdin, "{}", cmd).unwrap();
stdin.flush().unwrap();
}
fn wait_for(&mut self, token: &str) -> Vec<String> {
use std::time::{Duration, Instant};
let timeout = Duration::from_secs(60);
let start = Instant::now();
let mut lines = Vec::new();
let mut buf = String::new();
loop {
buf.clear();
match self.reader.read_line(&mut buf) {
Ok(0) => {
// EOF — engine closed stdout
let mut stderr = String::new();
if let Some(ref mut err) = self.child.stderr {
use std::io::Read;
let _ = err.read_to_string(&mut stderr);
}
panic!(
"Engine closed stdout while waiting for '{}'. Lines so far: {:?}. Stderr: {}",
token, lines, stderr.trim()
);
}
Ok(_) => {
let line = buf.trim_end().to_string();
let done = line.starts_with(token);
lines.push(line);
if done {
break;
}
}
Err(e) => panic!("Error reading from engine: {}", e),
}
if start.elapsed() > timeout {
panic!(
"Timeout waiting for '{}' after {:?}. Lines so far: {:?}",
token, timeout, lines
);
}
}
lines
}
fn set_multi_pv(&mut self, n: u32) {
self.send(&format!("setoption name MultiPV value {}", n));
self.send("isready");
self.wait_for("readyok");
}
fn new_game(&mut self) {
self.send("ucinewgame");
self.send("isready");
self.wait_for("readyok");
}
/// Run a search and return (candidates, is_terminal, terminal_type).
/// Candidates: Vec<(uci_move, score_centipawns)>.
fn candidates(&mut self, moves: &[String], nodes: u32) -> (Vec<(String, f64)>, Option<&'static str>) {
let pos = if moves.is_empty() {
"position startpos".to_string()
} else {
format!("position startpos moves {}", moves.join(" "))
};
self.send(&pos);
self.send(&format!("go nodes {}", nodes));
let lines = self.wait_for("bestmove");
// Parse MultiPV info lines — keep last (deepest) per PV index
let mut best_by_pv: std::collections::BTreeMap<u32, (String, f64)> =
std::collections::BTreeMap::new();
for line in &lines {
if !line.starts_with("info") || !line.contains(" multipv ") {
continue;
}
let parts: Vec<&str> = line.split_whitespace().collect();
let pv_idx = Self::find_val(&parts, "multipv")
.and_then(|s| s.parse::<u32>().ok());
let score = Self::parse_score(&parts);
let pv_move = Self::find_val(&parts, "pv");
if let (Some(idx), Some(sc), Some(mv)) = (pv_idx, score, pv_move) {
best_by_pv.insert(idx, (mv.to_string(), sc));
}
}
if !best_by_pv.is_empty() {
let cands: Vec<(String, f64)> = best_by_pv.into_values().collect();
return (cands, None);
}
// Fallback: parse bestmove directly
for line in &lines {
if line.starts_with("bestmove") {
let parts: Vec<&str> = line.split_whitespace().collect();
if let Some(mv) = parts.get(1) {
// Detect terminal: "(none)" (Stockfish) or self-move like "a1a1" (Lc0)
let is_terminal = *mv == "(none)" || Self::is_self_move(mv);
if !is_terminal {
return (vec![(mv.to_string(), 0.0)], None);
}
// Terminal — check if checkmate or stalemate from info lines
let mut terminal = "stalemate";
for info_line in &lines {
if info_line.starts_with("info") && info_line.contains("score") {
let info_parts: Vec<&str> = info_line.split_whitespace().collect();
if Self::find_val(&info_parts, "score") == Some("mate") {
terminal = "checkmate";
}
}
}
return (vec![], Some(terminal));
}
}
}
(vec![], Some("stalemate"))
}
fn find_val<'a>(parts: &'a [&'a str], key: &str) -> Option<&'a str> {
parts.iter()
.position(|&p| p == key)
.and_then(|i| parts.get(i + 1))
.copied()
}
/// Check if a UCI move is a self-move (src == dst), which Lc0 uses
/// to signal no legal moves (instead of Stockfish's "(none)").
fn is_self_move(uci: &str) -> bool {
let b = uci.as_bytes();
b.len() >= 4 && b[0] == b[2] && b[1] == b[3]
}
fn parse_score(parts: &[&str]) -> Option<f64> {
let si = parts.iter().position(|&p| p == "score")?;
match parts.get(si + 1)? {
&"cp" => parts.get(si + 2)?.parse::<f64>().ok(),
&"mate" => {
let mate_in = parts.get(si + 2)?.parse::<i32>().ok()?;
Some(if mate_in > 0 { 30_000.0 } else { -30_000.0 })
}
_ => None,
}
}
fn close(mut self) {
let _ = self.send("quit");
let _ = self.child.wait();
}
}
/// Softmax sample from candidates using centipawn scores.
fn softmax_sample(candidates: &[(String, f64)], temperature: f64, rng: &mut StdRng) -> Option<String> {
if candidates.is_empty() {
return None;
}
if candidates.len() == 1 || temperature <= 0.0 {
return Some(candidates.iter().max_by(|a, b| a.1.partial_cmp(&b.1).unwrap())?.0.clone());
}
let max_s = candidates.iter().map(|c| c.1).fold(f64::NEG_INFINITY, f64::max);
let exps: Vec<f64> = candidates
.iter()
.map(|c| ((c.1 - max_s) / (100.0 * temperature)).exp())
.collect();
let total: f64 = exps.iter().sum();
let r: f64 = rng.gen::<f64>() * total;
let mut cumulative = 0.0;
for (i, e) in exps.iter().enumerate() {
cumulative += e;
if r <= cumulative {
return Some(candidates[i].0.clone());
}
}
Some(candidates.last()?.0.clone())
}
/// Play one self-play game. Returns (uci_moves, result_string).
fn play_game(
engine: &mut UciEngine,
nodes: u32,
rng: &mut StdRng,
temperature: f64,
multi_pv: u32,
sample_plies: u32,
max_ply: u32,
) -> (Vec<String>, String) {
engine.new_game();
if multi_pv > 1 {
engine.set_multi_pv(multi_pv);
}
let mut moves: Vec<String> = Vec::new();
let mut switched = false;
for ply in 0..max_ply {
if !switched && ply >= sample_plies {
engine.set_multi_pv(1);
switched = true;
}
let (cands, terminal) = engine.candidates(&moves, nodes);
let chosen = if switched {
cands.first().map(|c| c.0.clone())
} else {
softmax_sample(&cands, temperature, rng)
};
match chosen {
Some(mv) => moves.push(mv),
None => {
// Terminal position
let n = moves.len();
let result = match terminal {
Some("checkmate") => {
if n % 2 == 0 { "0-1" } else { "1-0" }
}
_ => "1/2-1/2",
};
return (moves, result.to_string());
}
}
}
// Hit max ply
(moves, "1/2-1/2".to_string())
}
/// A single game result returned to Python.
pub struct GameResult {
pub uci: String, // space-joined UCI moves
pub result: String, // "1-0", "0-1", "1/2-1/2"
pub n_ply: u16,
}
/// Worker function: play num_games with a dedicated engine, return results.
fn worker_play(
engine_path: &str,
nodes: u32,
num_games: u32,
hash_mb: u32,
seed: u64,
temperature: f64,
multi_pv: u32,
sample_plies: u32,
max_ply: u32,
worker_id: u32,
) -> Vec<GameResult> {
let mut rng = StdRng::seed_from_u64(seed);
let mut engine = UciEngine::new(engine_path, hash_mb, multi_pv);
let mut results = Vec::with_capacity(num_games as usize);
for i in 0..num_games {
let (moves, result) = play_game(
&mut engine, nodes, &mut rng, temperature,
multi_pv, sample_plies, max_ply,
);
let n_ply = moves.len() as u16;
results.push(GameResult {
uci: moves.join(" "),
result,
n_ply,
});
if (i + 1) % 500 == 0 {
eprintln!(" [worker {:>2}] {:>6}/{:>6}", worker_id, i + 1, num_games);
}
}
engine.close();
results
}
/// Generate self-play games using an external UCI engine (Stockfish, Lc0, etc).
///
/// Spawns `n_workers` engine processes, each playing its share of games.
/// Uses rayon for orchestration but each worker is I/O-bound (engine subprocess),
/// so we use a dedicated thread pool sized to n_workers.
///
/// Returns Vec of (uci_string, result, n_ply, worker_id, seed).
pub fn generate_engine_games(
engine_path: &str,
nodes: u32,
total_games: u32,
n_workers: u32,
base_seed: u64,
temperature: f64,
multi_pv: u32,
sample_plies: u32,
hash_mb: u32,
max_ply: u32,
) -> Vec<GameResult> {
let base = total_games / n_workers;
let remainder = total_games % n_workers;
eprintln!("Generating {} games with {} workers (engine: {})",
total_games, n_workers, engine_path);
eprintln!(" nodes={}, temperature={}, multi_pv={}, sample_plies={}",
nodes, temperature, multi_pv, sample_plies);
// Build a custom rayon pool sized to n_workers (these are I/O-bound threads)
let pool = rayon::ThreadPoolBuilder::new()
.num_threads(n_workers as usize)
.build()
.unwrap();
let path = engine_path.to_string();
let all_results: Vec<Vec<GameResult>> = pool.install(|| {
(0..n_workers)
.into_par_iter()
.map(|i| {
let games = base + if i < remainder { 1 } else { 0 };
let seed = base_seed + i as u64;
worker_play(&path, nodes, games, hash_mb, seed,
temperature, multi_pv, sample_plies, max_ply, i)
})
.collect()
});
let mut flat: Vec<GameResult> = Vec::with_capacity(total_games as usize);
for worker_results in all_results {
flat.extend(worker_results);
}
eprintln!("Generated {} games total", flat.len());
flat
}
|