bitsy-parser/src/game.rs

520 lines
16 KiB
Rust
Raw Normal View History

use crate::{Dialogue, Ending, Font, Item, Palette, Room, Sprite, TextDirection, Tile, ToBase36, Variable, transform_line_endings, segments_from_string, to_base36, from_base36};
2020-04-18 16:48:29 +00:00
use std::error::Error;
use loe::TransformMode;
2020-04-29 20:17:29 +00:00
use std::str::FromStr;
2020-06-18 08:11:54 +00:00
/// in very early versions of Bitsy, room tiles were defined as single alphanumeric characters -
/// so there was a maximum of 36 unique tiles. later versions are comma-separated.
/// RoomFormat is implemented here so we can save in the original format.
#[derive(Debug, Eq, PartialEq, Copy, Clone)]
pub enum RoomFormat {Contiguous, CommaSeparated}
2020-06-23 11:44:44 +00:00
#[derive(Debug)]
pub struct InvalidRoomFormat;
impl RoomFormat {
2020-06-23 11:44:44 +00:00
fn from(str: &str) -> Result<RoomFormat, InvalidRoomFormat> {
match str {
"0" => Ok(RoomFormat::Contiguous),
"1" => Ok(RoomFormat::CommaSeparated),
2020-06-23 11:44:44 +00:00
_ => Err(InvalidRoomFormat),
}
}
fn to_string(&self) -> String {
match &self {
RoomFormat::Contiguous => "0",
RoomFormat::CommaSeparated => "1",
}.to_string()
}
}
/// in very early versions of Bitsy, a room was called a "set"
#[derive(Debug, Eq, PartialEq, Copy, Clone)]
pub enum RoomType {Room, Set}
2020-06-23 11:48:42 +00:00
#[derive(Debug)]
pub struct InvalidRoomType;
impl RoomType {
fn from(string: &str) -> Result<RoomType, InvalidRoomType> {
match string {
2020-06-23 11:48:42 +00:00
"ROOM" => Ok(RoomType::Room),
"SET" => Ok(RoomType::Set),
_ => Err(InvalidRoomType),
}
}
}
impl ToString for RoomType {
fn to_string(&self) -> String {
match &self {
RoomType::Set => "SET",
RoomType::Room => "ROOM",
}.to_string()
}
}
2020-04-12 13:38:07 +00:00
2020-04-23 11:03:39 +00:00
#[derive(Debug, Eq, PartialEq, Copy, Clone)]
2020-04-18 10:03:24 +00:00
pub struct Version {
pub major: u8,
pub minor: u8,
}
2020-06-18 18:56:33 +00:00
#[derive(Debug)]
pub struct InvalidVersion;
2020-04-18 10:03:24 +00:00
impl Version {
2020-06-18 18:56:33 +00:00
fn from(str: &str) -> Result<Version, InvalidVersion> {
2020-04-18 10:03:24 +00:00
let parts: Vec<&str> = str.split(".").collect();
2020-06-18 18:56:33 +00:00
if parts.len() == 2 {
Ok(Version {
major: parts[0].parse().unwrap(),
minor: parts[1].parse().unwrap(),
})
} else {
Err (InvalidVersion)
2020-04-18 15:58:30 +00:00
}
2020-04-18 10:03:24 +00:00
}
}
#[derive(Debug)]
pub struct SpriteNotFound;
2020-05-31 15:12:23 +00:00
#[derive(Clone, Debug, PartialEq)]
pub struct Game {
pub name: String,
2020-04-23 11:03:39 +00:00
pub version: Option<Version>,
pub room_format: Option<RoomFormat>,
pub(crate) room_type: RoomType,
pub font: Font,
pub custom_font: Option<String>, // used if font is Font::Custom
pub text_direction: TextDirection,
pub palettes: Vec<Palette>,
pub rooms: Vec<Room>,
pub tiles: Vec<Tile>,
pub sprites: Vec<Sprite>,
pub items: Vec<Item>,
pub dialogues: Vec<Dialogue>,
pub endings: Vec<Ending>,
pub variables: Vec<Variable>,
pub font_data: Option<String>, // todo make this an actual struct for parsing
pub(crate) line_endings_crlf: bool, // otherwise lf (unix/mac)
2020-04-12 13:38:07 +00:00
}
2020-04-18 16:48:29 +00:00
impl Game {
2020-04-18 17:07:25 +00:00
pub fn from(string: String) -> Result<Game, &'static dyn Error> {
let line_endings_crlf = string.contains("\r\n");
let mut string = string;
if line_endings_crlf {
string = transform_line_endings(string, TransformMode::LF)
}
2020-04-24 20:51:31 +00:00
let string = string.trim_start_matches("\n").to_string();
let mut segments = segments_from_string(string);
2020-04-24 20:51:31 +00:00
let mut name = "".to_string();
if
segments[0].starts_with("\"\"\"") // multi-line game name
||
(
! segments[0].starts_with("# BITSY VERSION ")
&&
! segments[0].starts_with("! ROOM_FORMAT ")
&&
! segments[0].starts_with("PAL ")
&&
! segments[0].starts_with("DEFAULT_FONT ")
&&
! segments[0].starts_with("TEXT_DIRECTION ")
)
{
2020-04-24 20:51:31 +00:00
name = segments[0].to_string();
segments = segments[1..].to_owned();
2020-04-13 23:34:03 +00:00
}
let segments = segments;
2020-04-24 20:51:31 +00:00
let name = name;
2020-04-12 13:38:07 +00:00
let mut dialogues: Vec<Dialogue> = Vec::new();
let mut endings: Vec<Ending> = Vec::new();
let mut variables: Vec<Variable> = Vec::new();
let mut font_data: Option<String> = None;
2020-04-12 13:38:07 +00:00
2020-04-23 11:03:39 +00:00
let mut version = None;
let mut room_format = None;
let mut room_type = RoomType::Room;
let mut font = Font::AsciiSmall;
let mut custom_font = None;
let mut text_direction = TextDirection::LeftToRight;
2020-04-12 13:38:07 +00:00
let mut palettes: Vec<Palette> = Vec::new();
let mut rooms: Vec<Room> = Vec::new();
let mut tiles: Vec<Tile> = Vec::new();
let mut sprites: Vec<Sprite> = Vec::new();
let mut items: Vec<Item> = Vec::new();
2020-04-24 17:09:08 +00:00
for segment in segments {
2020-04-12 13:38:07 +00:00
if segment.starts_with("# BITSY VERSION") {
let segment = segment.replace("# BITSY VERSION ", "");
2020-06-18 18:56:33 +00:00
let segment = Version::from(&segment);
if segment.is_ok() {
version = Some(segment.unwrap());
}
2020-04-12 13:38:07 +00:00
} else if segment.starts_with("! ROOM_FORMAT") {
let segment = segment.replace("! ROOM_FORMAT ", "");
2020-06-23 12:00:34 +00:00
room_format = Some(
RoomFormat::from(&segment).unwrap_or(RoomFormat::CommaSeparated)
);
} else if segment.starts_with("DEFAULT_FONT") {
let segment = segment.replace("DEFAULT_FONT ", "");
font = Font::from(&segment);
if font == Font::Custom {
custom_font = Some(segment.to_string());
}
} else if segment.trim() == "TEXT_DIRECTION RTL".to_string() {
text_direction = TextDirection::RightToLeft;
} else if segment.starts_with("PAL ") {
2020-04-12 13:38:07 +00:00
palettes.push(Palette::from(segment));
} else if segment.starts_with("ROOM ") || segment.starts_with("SET ") {
if segment.starts_with("SET ") {
room_type = RoomType::Set;
}
2020-04-12 13:38:07 +00:00
rooms.push(Room::from(segment));
} else if segment.starts_with("TIL ") {
2020-04-12 13:38:07 +00:00
tiles.push(Tile::from(segment));
} else if segment.starts_with("SPR ") {
2020-04-12 13:38:07 +00:00
sprites.push(Sprite::from(segment));
} else if segment.starts_with("ITM ") {
2020-04-12 13:38:07 +00:00
items.push(Item::from(segment));
} else if segment.starts_with("DLG ") {
2020-04-24 20:51:31 +00:00
dialogues.push(Dialogue::from(segment));
} else if segment.starts_with("END ") {
2020-04-29 20:17:29 +00:00
let ending = Ending::from_str(&segment);
if ending.is_ok() {
endings.push(ending.unwrap());
}
} else if segment.starts_with("VAR ") {
2020-04-24 20:51:31 +00:00
variables.push(Variable::from(segment));
} else if segment.starts_with("FONT ") {
2020-04-24 20:51:31 +00:00
font_data = Some(segment);
2020-04-12 13:38:07 +00:00
}
}
2020-06-18 16:46:30 +00:00
// todo check if SPR A (avatar) exists
2020-04-12 13:38:07 +00:00
2020-04-24 20:51:31 +00:00
Ok(
Game {
name,
version,
room_format,
room_type,
font,
custom_font,
text_direction,
palettes,
rooms,
tiles,
sprites,
items,
dialogues,
endings,
variables,
font_data,
line_endings_crlf,
}
)
2020-04-12 13:38:07 +00:00
}
2020-06-18 12:56:50 +00:00
/// todo refactor this into "get T by ID", taking a Vec<T> and an ID name?
#[inline]
pub fn get_sprite_by_id(&self, id: String) -> Result<&Sprite, SpriteNotFound> {
let index = self.sprites.iter().position(
|sprite| sprite.id == id
);
if index.is_some() {
return Ok(&self.sprites[index.unwrap()])
} else {
Err(SpriteNotFound)
}
}
pub fn get_avatar(&self) -> Result<&Sprite, SpriteNotFound> {
self.get_sprite_by_id("A".to_string())
}
2020-06-18 12:56:50 +00:00
pub fn merge(game: Game) {
// ignore title, version, room format, room type, font, text direction
// maybe we need hashmaps of old->new IDs, for each type of ID?
// we need functions for "add sprite" etc. that return the newly generated valid ID
// for each new palette:
// check if a matching palette exists
// if yes, replace any room palette IDs with the extant palette ID
// check if palette ID clashes with an existing palette ID
// check if palette name clashes and if so, give a new name ("[name] 2" or something)
// for each tile:
// check if a matching tile exists
// if yes, replace room tile IDs with that of the extant tile
// if no, give a new unique tile ID and change room tile IDs to this
// ignore avatar (maybe convert to normal sprite instead?)
// for each item
// for each dialogue item
// for each ending
// for each variable
// for each room
// give room a new unique ID
// check room name - if duplicate, append "2" or something?
// convert tile/item IDs to new ones
// add room to game
// for each sprite
//
}
2020-04-12 13:38:07 +00:00
}
impl ToString for Game {
#[inline]
fn to_string(&self) -> String {
let mut segments: Vec<String> = Vec::new();
// todo refactor
for palette in &self.palettes {
segments.push(palette.to_string());
}
for room in &self.rooms {
2020-04-24 17:07:32 +00:00
segments.push(room.to_string(self.room_format(), self.room_type));
2020-04-12 13:38:07 +00:00
}
for tile in &self.tiles {
segments.push(tile.to_string());
}
2020-04-18 12:38:20 +00:00
for sprite in &self.sprites {
segments.push(sprite.to_string());
2020-04-12 13:38:07 +00:00
}
for item in &self.items {
segments.push(item.to_string());
}
for dialogue in &self.dialogues {
2020-04-30 19:18:15 +00:00
// this replacement is silly but see segments_from_string() for explanation
segments.push(dialogue.to_string().replace("\"\"\"\n\"\"\"", ""));
2020-04-12 13:38:07 +00:00
}
for ending in &self.endings {
segments.push(ending.to_string());
}
for variable in &self.variables {
segments.push(variable.to_string());
}
if self.font_data.is_some() {
segments.push(self.font_data.to_owned().unwrap())
}
transform_line_endings(
format!(
"{}{}{}{}{}\n\n{}\n\n",
&self.name,
&self.version_line(),
&self.room_format_line(),
&self.font_line(),
&self.text_direction_line(),
segments.join("\n\n"),
),
if self.line_endings_crlf {TransformMode::CRLF} else {TransformMode::LF}
2020-04-12 13:38:07 +00:00
)
}
}
2020-04-13 17:01:42 +00:00
impl Game {
#[inline]
2020-06-18 16:47:54 +00:00
pub fn tile_ids(&self) -> Vec<String> {
self.tiles.iter().map(|tile| tile.id.clone()).collect()
2020-04-13 15:19:59 +00:00
}
2020-04-13 17:01:42 +00:00
/// first available tile ID.
/// e.g. if current tile IDs are [0, 2, 3] the result will be `1`
/// if current tile IDs are [0, 1, 2] the result will be `3`
2020-06-18 12:56:50 +00:00
/// todo this needs to be a generic function that takes a vec of string IDs and returns a new base64 string ID
#[inline]
2020-06-18 16:47:54 +00:00
pub fn new_tile_id(&self) -> String {
2020-04-13 15:19:59 +00:00
let mut new_id = 0;
let mut ids = self.tile_ids();
ids.sort();
for id in ids {
2020-06-18 16:47:54 +00:00
if new_id == from_base36(id.as_ref()) {
2020-04-13 15:19:59 +00:00
new_id += 1;
} else {
2020-06-18 16:47:54 +00:00
return to_base36(new_id);
2020-04-13 15:19:59 +00:00
}
}
2020-06-18 16:47:54 +00:00
to_base36(new_id + 1)
2020-04-13 15:19:59 +00:00
}
2020-04-24 17:09:08 +00:00
2020-04-13 16:44:51 +00:00
/// adds a tile safely and returns the new tile ID
#[inline]
2020-06-18 16:47:54 +00:00
pub fn add_tile(&mut self, mut tile: Tile) -> String {
2020-04-13 16:44:51 +00:00
let new_id = self.new_tile_id();
2020-06-18 16:47:54 +00:00
tile.id = new_id.clone();
2020-04-13 16:44:51 +00:00
self.tiles.push(tile);
new_id
}
#[inline]
fn version_line(&self) -> String {
2020-04-23 11:03:39 +00:00
if self.version.is_some() {
format!(
2020-04-24 17:09:54 +00:00
"\n\n# BITSY VERSION {}.{}",
2020-04-23 11:03:39 +00:00
self.version.as_ref().unwrap().major, self.version.as_ref().unwrap().minor
)
} else {
"".to_string()
}
}
#[inline]
fn room_format_line(&self) -> String {
2020-04-24 17:09:54 +00:00
if self.room_format.is_some() {
format!("\n\n! ROOM_FORMAT {}", self.room_format.unwrap().to_string())
} else {
"".to_string()
}
}
#[inline]
fn font_line(&self) -> String {
if self.font == Font::AsciiSmall {
"".to_string()
} else {
if self.font == Font::Custom {
2020-04-18 12:37:26 +00:00
format!("\n\nDEFAULT_FONT {}", self.custom_font.as_ref().unwrap())
} else {
2020-04-18 12:37:26 +00:00
format!("\n\nDEFAULT_FONT {}", self.font.to_string().unwrap())
}
}
}
#[inline]
fn text_direction_line(&self) -> &str {
2020-04-18 15:58:30 +00:00
if self.text_direction == TextDirection::RightToLeft {
"\n\nTEXT_DIRECTION RTL"
} else {
""
}
}
2020-04-23 11:03:39 +00:00
/// older bitsy games do not specify a version, but we can infer 1.0
#[inline]
2020-04-23 11:03:39 +00:00
pub fn version(&self) -> Version {
self.version.unwrap_or(Version { major: 1, minor: 0 })
}
2020-04-24 17:10:10 +00:00
/// older bitsy games do not specify a room format, but we can infer 0
#[inline]
2020-04-24 17:10:10 +00:00
pub fn room_format(&self) -> RoomFormat {
self.room_format.unwrap_or(RoomFormat::Contiguous)
}
2020-04-13 16:44:51 +00:00
}
2020-04-19 07:13:55 +00:00
#[cfg(test)]
mod test {
use crate::game::{Version, Game};
use crate::text::{TextDirection, Font};
use crate::tile::Tile;
#[test]
fn test_game_from_string() {
let output = Game::from(include_str!["test-resources/default.bitsy"].to_string()).unwrap();
let expected = crate::mock::game_default();
assert_eq!(output, expected);
}
2020-04-12 13:38:07 +00:00
2020-04-19 07:13:55 +00:00
#[test]
fn test_game_to_string() {
let output = crate::mock::game_default().to_string();
let expected = include_str!["test-resources/default.bitsy"].to_string();
assert_eq!(output, expected);
}
2020-04-13 15:19:59 +00:00
2020-04-19 07:13:55 +00:00
#[test]
fn test_tile_ids() {
2020-06-18 16:47:54 +00:00
assert_eq!(crate::mock::game_default().tile_ids(), vec!["a".to_string()]);
2020-04-19 07:13:55 +00:00
}
2020-04-13 15:19:59 +00:00
2020-04-19 07:13:55 +00:00
#[test]
fn test_new_tile_id() {
// default tile has an id of 10 ("a"), so 0 is available
2020-06-18 16:47:54 +00:00
assert_eq!(crate::mock::game_default().new_tile_id(), "0".to_string());
2020-04-13 15:19:59 +00:00
2020-04-19 07:13:55 +00:00
let mut game = crate::mock::game_default();
let mut tiles: Vec<Tile> = Vec::new();
2020-04-13 15:19:59 +00:00
2020-04-19 07:13:55 +00:00
for n in 0..9 {
if n != 4 {
let mut new_tile = crate::mock::tile_default();
2020-06-18 16:47:54 +00:00
new_tile.id = format!("{}", n).to_string();
2020-04-19 07:13:55 +00:00
tiles.push(new_tile);
}
2020-04-13 15:19:59 +00:00
}
2020-04-19 07:13:55 +00:00
game.tiles = tiles;
2020-04-13 15:19:59 +00:00
2020-06-18 16:47:54 +00:00
assert_eq!(game.new_tile_id(), "4".to_string());
2020-04-13 15:19:59 +00:00
2020-04-19 07:13:55 +00:00
// fill in the space created above, and test that tile IDs get sorted
2020-04-13 15:19:59 +00:00
2020-04-19 07:13:55 +00:00
let mut new_tile = crate::mock::tile_default();
2020-06-18 16:47:54 +00:00
new_tile.id = "4".to_string();
2020-04-19 07:13:55 +00:00
game.tiles.push(new_tile);
2020-06-18 16:47:54 +00:00
assert_eq!(game.new_tile_id(), "a".to_string());
2020-04-18 15:46:41 +00:00
}
2020-04-19 07:13:55 +00:00
#[test]
fn test_add_tile() {
let mut game = crate::mock::game_default();
let new_id = game.add_tile(crate::mock::tile_default());
2020-06-18 16:47:54 +00:00
assert_eq!(new_id, "0".to_string());
2020-04-19 07:13:55 +00:00
assert_eq!(game.tiles.len(), 2);
let new_id = game.add_tile(crate::mock::tile_default());
2020-06-18 16:47:54 +00:00
assert_eq!(new_id, "1".to_string());
2020-04-19 07:13:55 +00:00
assert_eq!(game.tiles.len(), 3);
}
2020-04-19 07:13:55 +00:00
#[test]
fn test_arabic() {
let game = Game::from(include_str!("test-resources/arabic.bitsy").to_string()).unwrap();
2020-04-18 16:48:29 +00:00
2020-04-19 07:13:55 +00:00
assert_eq!(game.font, Font::Arabic);
assert_eq!(game.text_direction, TextDirection::RightToLeft);
}
2020-04-18 11:49:51 +00:00
2020-04-19 07:13:55 +00:00
#[test]
fn test_version_formatting() {
let mut game = crate::mock::game_default();
2020-04-23 11:03:39 +00:00
game.version = Some(Version { major: 5, minor: 0 });
2020-04-19 07:13:55 +00:00
assert!(game.to_string().contains("# BITSY VERSION 5.0"))
}
2020-04-18 11:49:51 +00:00
}