monorepo/go-sgf/src/lib.rs

590 lines
14 KiB
Rust
Raw Normal View History

2023-06-22 14:04:52 +00:00
// https://red-bean.com/sgf/user_guide/index.html
// https://red-bean.com/sgf/sgf4.html
// todo: support collections in a file
// Properties to support. Remove each one as it gets support.
// B
// KO
// MN
// W
// AB
// AE
// AW
// PL
// C
// DM
// GB
// GW
// HO
// N
// UC
// V
// BM
// DO
// IT
// TE
// AR
// CR
// DD
// LB
// LN
// MA
// SL
// SQ
// TR
// AP
// CA
// FF
// GM
// ST
// SZ
// AN
// BR
// BT
// CP
// DT
// EV
// GN
// GC
// ON
// OT
// PB
// PC
// PW
// RE
// RO
// RU
// SO
// TM
// US
// WR
// WT
// BL
// OB
// OW
// WL
// FG
// PM
// VW
use nom::{
bytes::complete::{tag, take_until},
2023-06-23 03:58:16 +00:00
character::complete::{alpha1, anychar, digit1, multispace0},
combinator::eof,
2023-06-23 03:58:16 +00:00
multi::{many0, many1, many_till, separated_list1},
sequence::{delimited, terminated},
2023-06-23 03:58:16 +00:00
Finish, IResult, Parser,
};
2023-06-22 14:04:52 +00:00
use thiserror::Error;
pub enum Warning {}
#[derive(Debug, PartialEq, Error)]
pub enum ParseError {
#[error("An unknown error was found")]
UnknownError,
}
2023-06-23 03:58:16 +00:00
impl From<nom::error::Error<&str>> for ParseError {
fn from(_: nom::error::Error<&str>) -> Self {
Self::UnknownError
}
}
2023-06-22 14:04:52 +00:00
// todo: support ST root node
#[derive(Debug)]
pub struct GameTree {
pub file_format: i8,
pub app: Option<String>,
pub game_type: GameType,
pub board_size: Size,
pub text: String,
}
pub struct GameInfo {
pub annotator: Option<String>,
pub copyright: Option<String>,
pub event: Option<String>,
// Games can be played across multiple days, even multiple years. The format specifies
// shortcuts.
pub date_time: Vec<chrono::NaiveDate>,
pub location: Option<String>,
// special rules for the round-number and type
pub round: Option<String>,
pub ruleset: Option<String>,
pub source: Option<String>,
pub time_limits: Option<std::time::Duration>,
pub game_keeper: Option<String>,
pub game_name: Option<String>,
pub game_comments: Option<String>,
pub black_player: Option<String>,
pub black_rank: Option<String>,
pub black_team: Option<String>,
pub white_player: Option<String>,
pub white_rank: Option<String>,
pub white_team: Option<String>,
pub opening: Option<String>,
pub overtime: Option<String>,
pub result: Option<GameResult>,
}
pub enum GameResult {
Annulled,
Draw,
Black(Win),
White(Win),
}
pub enum Win {
Score(i32),
Resignation,
Forfeit,
Time,
}
#[derive(Debug, PartialEq)]
pub struct Size {
width: i32,
height: i32,
}
#[derive(Debug, PartialEq)]
pub enum GameType {
Go,
Unsupported,
}
struct Sequence(Node);
/*
2023-06-22 14:04:52 +00:00
struct Node {
// properties
}
*/
2023-06-22 14:04:52 +00:00
enum PropType {
Move,
Setup,
Root,
GameInfo,
}
enum PropValue {
Empty,
Number,
Real,
Double,
Color,
SimpleText,
Text,
Point,
Move,
Stone,
}
2023-06-23 03:58:16 +00:00
pub fn parse_sgf(input: &str) -> Result<GameTree, ParseError> {
let (_, tree) = parse_tree(input).finish()?;
let file_format = match tree.sequence[0].find_prop("FF") {
Some(prop) => prop.values[0].parse::<i8>().unwrap(),
None => 4,
};
let app = tree.sequence[0]
.find_prop("AP")
.map(|prop| prop.values[0].clone());
let board_size = match tree.sequence[0].find_prop("SZ") {
Some(prop) => {
let (_, size) = parse_size(prop.values[0].as_str()).finish()?;
size
}
None => Size {
width: 19,
height: 19,
},
};
Ok(GameTree {
file_format,
app,
game_type: GameType::Go,
board_size,
text: input.to_owned(),
})
}
#[derive(Debug, PartialEq)]
struct Tree {
sequence: Vec<Node>,
sub_sequences: Vec<Tree>,
}
2023-06-23 02:59:45 +00:00
impl ToString for Tree {
fn to_string(&self) -> String {
let sequence = self
.sequence
.iter()
.map(|node| node.to_string())
.collect::<String>();
let subsequences = self
.sub_sequences
.iter()
.map(|seq| seq.to_string())
.collect::<String>();
format!("({}{})", sequence, subsequences)
}
}
#[derive(Debug, PartialEq)]
struct Node {
properties: Vec<Property>,
}
2023-06-23 02:59:45 +00:00
impl ToString for Node {
fn to_string(&self) -> String {
let props = self
.properties
.iter()
.map(|prop| prop.to_string())
.collect::<String>();
format!(";{}", props)
}
}
2023-06-23 03:58:16 +00:00
impl Node {
fn find_prop(&self, ident: &str) -> Option<Property> {
self.properties
.iter()
.find(|prop| prop.ident == ident)
.cloned()
}
}
#[derive(Clone, Debug, PartialEq)]
2023-06-23 02:59:45 +00:00
struct Property {
ident: String,
values: Vec<String>,
}
impl ToString for Property {
fn to_string(&self) -> String {
let values = self
.values
.iter()
.map(|val| format!("[{}]", val))
.collect::<String>();
format!("{}{}", self.ident, values)
}
}
2023-06-22 14:04:52 +00:00
// note: must preserve unknown properties
// note: must fix or preserve illegally formatted game-info properties
// note: must correct or delete illegally foramtted properties, but display a warning
fn parse_tree(input: &str) -> IResult<&str, Tree> {
println!("parse_tree: {}", input);
let (input, _) = multispace0(input)?;
delimited(tag("("), parse_sequence, tag(")"))(input)
2023-06-22 14:04:52 +00:00
}
fn parse_sequence(input: &str) -> IResult<&str, Tree> {
println!("parse_sequence: {}", input);
let (input, _) = multispace0(input)?;
let (input, nodes) = many1(parse_node)(input)?;
let (input, sub_sequences) = many0(parse_tree)(input)?;
Ok((
input,
Tree {
sequence: nodes,
sub_sequences,
},
))
}
fn parse_node(input: &str) -> IResult<&str, Node> {
println!("parse_node: {}", input);
let (input, _) = multispace0(input)?;
let (input, _) = tag(";")(input)?;
let (input, properties) = many1(parse_property)(input)?;
Ok((input, Node { properties }))
}
fn parse_property(input: &str) -> IResult<&str, Property> {
println!("parse_property: {}", input);
2023-06-23 03:58:16 +00:00
let (input, _) = multispace0(input)?;
let (input, ident) = alpha1(input)?;
let (input, values) = many1(delimited(tag("["), take_until("]"), tag("]")))(input)?;
let values = values
.into_iter()
.map(|v| v.to_owned())
.collect::<Vec<String>>();
Ok((
input,
Property {
ident: ident.to_owned(),
values,
},
))
}
2023-06-23 03:58:16 +00:00
fn parse_size(input: &str) -> IResult<&str, Size> {
let (input, dimensions) = separated_list1(tag(":"), digit1)(input)?;
let (width, height) = match dimensions.as_slice() {
[width] => (width.parse::<i32>().unwrap(), width.parse::<i32>().unwrap()),
[width, height] => (
width.parse::<i32>().unwrap(),
height.parse::<i32>().unwrap(),
),
_ => (19, 19),
};
Ok((input, Size { width, height }))
2023-06-22 14:04:52 +00:00
}
#[cfg(test)]
mod tests {
2023-06-23 03:58:16 +00:00
use std::{fs::File, io::Read};
2023-06-22 14:04:52 +00:00
use super::*;
2023-06-23 03:58:16 +00:00
const EXAMPLE: &'static str = "(;FF[4]C[root](;C[a];C[b](;C[c])
2023-06-22 14:04:52 +00:00
(;C[d];C[e]))
(;C[f](;C[g];C[h];C[i])
(;C[j])))";
#[test]
fn it_can_parse_properties() {
let (_, prop) = parse_property("C[a]").unwrap();
assert_eq!(
prop,
Property {
ident: "C".to_owned(),
values: vec!["a".to_owned()]
}
);
let (_, prop) = parse_property("C[a][b][c]").unwrap();
assert_eq!(
prop,
Property {
ident: "C".to_owned(),
values: vec!["a".to_owned(), "b".to_owned(), "c".to_owned()]
}
);
}
#[test]
fn it_can_parse_a_standalone_node() {
let (_, node) = parse_node(";B[ab]").unwrap();
assert_eq!(
node,
Node {
properties: vec![Property {
ident: "B".to_owned(),
values: vec!["ab".to_owned()]
}]
}
);
let (_, node) = parse_node(";B[ab];W[dp];B[pq]C[some comments]").unwrap();
assert_eq!(
node,
Node {
properties: vec![Property {
ident: "B".to_owned(),
values: vec!["ab".to_owned()]
}]
}
);
}
#[test]
fn it_can_parse_a_simple_sequence() {
let (_, sequence) = parse_tree("(;B[ab];W[dp];B[pq]C[some comments])").unwrap();
assert_eq!(
sequence,
Tree {
sequence: vec![
Node {
properties: vec![Property {
ident: "B".to_owned(),
values: vec!["ab".to_owned()]
}]
},
Node {
properties: vec![Property {
ident: "W".to_owned(),
values: vec!["dp".to_owned()]
}]
},
Node {
properties: vec![
Property {
ident: "B".to_owned(),
values: vec!["pq".to_owned()]
},
Property {
ident: "C".to_owned(),
values: vec!["some comments".to_owned()]
}
]
}
],
sub_sequences: vec![],
}
);
}
#[test]
fn it_can_parse_a_sequence_with_subsequences() {
let text = "(;C[a];C[b](;C[c])(;C[d];C[e]))";
let (_, sequence) = parse_tree(text).unwrap();
let main_sequence = vec![
Node {
properties: vec![Property {
ident: "C".to_owned(),
values: vec!["a".to_owned()],
}],
},
Node {
properties: vec![Property {
ident: "C".to_owned(),
values: vec!["b".to_owned()],
}],
},
];
let subsequence_1 = Tree {
sequence: vec![Node {
properties: vec![Property {
ident: "C".to_owned(),
values: vec!["c".to_owned()],
}],
}],
sub_sequences: vec![],
};
let subsequence_2 = Tree {
sequence: vec![
Node {
properties: vec![Property {
ident: "C".to_owned(),
values: vec!["d".to_owned()],
}],
},
Node {
properties: vec![Property {
ident: "C".to_owned(),
values: vec!["e".to_owned()],
}],
},
],
sub_sequences: vec![],
};
assert_eq!(
sequence,
Tree {
sequence: main_sequence,
sub_sequences: vec![subsequence_1, subsequence_2],
}
);
}
#[test]
fn it_can_parse_example_1() {
2023-06-23 03:58:16 +00:00
let (_, ex_tree) = parse_tree(EXAMPLE).unwrap();
assert_eq!(ex_tree.sequence.len(), 1);
assert_eq!(ex_tree.sequence[0].properties.len(), 2);
assert_eq!(
ex_tree.sequence[0].properties[0],
Property {
ident: "FF".to_owned(),
values: vec!["4".to_owned()]
}
);
assert_eq!(ex_tree.sub_sequences.len(), 2);
assert_eq!(ex_tree.sub_sequences[0].sequence.len(), 2);
assert_eq!(
ex_tree.sub_sequences[0].sequence,
vec![
Node {
properties: vec![Property {
ident: "C".to_owned(),
values: vec!["a".to_owned()]
}]
},
Node {
properties: vec![Property {
ident: "C".to_owned(),
values: vec!["b".to_owned()]
}]
},
]
);
assert_eq!(ex_tree.sub_sequences[0].sub_sequences.len(), 2);
}
2023-06-23 02:59:45 +00:00
#[test]
fn it_can_regenerate_the_tree() {
2023-06-23 03:58:16 +00:00
let (_, tree1) = parse_tree(EXAMPLE).unwrap();
2023-06-23 02:59:45 +00:00
println!("{}", tree1.to_string());
assert_eq!(
tree1.to_string(),
"(;FF[4]C[root](;C[a];C[b](;C[c])(;C[d];C[e]))(;C[f](;C[g];C[h];C[i])(;C[j])))"
);
let (_, tree2) = parse_tree(&tree1.to_string()).unwrap();
assert_eq!(tree1, tree2);
}
2023-06-23 03:58:16 +00:00
fn with_text(text: &str, f: impl FnOnce(GameTree)) {
f(parse_sgf(text).unwrap());
}
2023-06-22 14:04:52 +00:00
2023-06-23 03:58:16 +00:00
fn with_file(path: &std::path::Path, f: impl FnOnce(GameTree)) {
let mut file = File::open(path).unwrap();
let mut text = String::new();
let _ = file.read_to_string(&mut text);
with_text(&text, f);
2023-06-22 14:04:52 +00:00
}
#[test]
fn it_parses_game_root() {
2023-06-23 03:58:16 +00:00
with_text(EXAMPLE, |tree| {
assert_eq!(tree.file_format, 4);
assert_eq!(tree.app, None);
assert_eq!(tree.game_type, GameType::Go);
2023-06-22 14:04:52 +00:00
assert_eq!(
2023-06-23 03:58:16 +00:00
tree.board_size,
2023-06-22 14:04:52 +00:00
Size {
width: 19,
height: 19
}
);
2023-06-23 03:58:16 +00:00
assert_eq!(tree.text, EXAMPLE.to_owned());
});
2023-06-22 14:04:52 +00:00
2023-06-23 03:58:16 +00:00
with_file(std::path::Path::new("test_data/print1.sgf"), |tree| {
assert_eq!(tree.file_format, 4);
assert_eq!(tree.app, None);
assert_eq!(tree.game_type, GameType::Go);
2023-06-22 14:04:52 +00:00
assert_eq!(
2023-06-23 03:58:16 +00:00
tree.board_size,
2023-06-22 14:04:52 +00:00
Size {
width: 19,
height: 19
}
);
});
}
}