planet-wars/backend/src/util.rs

100 lines
2.6 KiB
Rust
Raw Normal View History

2020-03-25 22:14:26 +01:00
use async_std::prelude::*;
use async_std::fs;
2020-03-27 17:32:18 +01:00
static NAV: [(&'static str, &'static str); 4] = [("/", "Home"), ("/lobby", "Lobby"), ("/mapbuilder", "Map Builder"), ("/visualizer", "Visualizer")];
2020-03-27 10:31:56 +01:00
2020-03-25 22:14:26 +01:00
#[derive(Serialize)]
pub struct Map {
name: String,
url: String,
}
2020-03-27 17:32:18 +01:00
#[derive(Serialize)]
pub struct GameOption {
name: String,
location: String,
turns: u64,
}
impl GameOption {
pub fn new(name: &str, location: &str, turns: u64) -> Self {
Self {
name: name.to_string(),
location: location.to_string(),
turns
}
}
}
2020-03-27 10:31:56 +01:00
#[derive(Serialize)]
struct Link {
name: String,
href: String,
active: bool,
}
2020-03-27 17:32:18 +01:00
#[derive(Serialize)]
#[serde(rename_all = "camelCase")]
pub enum ContextT {
Maps(Vec<Map>),
Games(Vec<GameOption>),
}
2020-03-25 22:14:26 +01:00
#[derive(Serialize)]
pub struct Context {
pub name: String,
2020-03-27 10:31:56 +01:00
nav: Vec<Link>,
2020-03-27 17:32:18 +01:00
#[serde(flatten)]
pub inner: Option<ContextT>,
2020-03-25 22:14:26 +01:00
}
2020-03-27 10:31:56 +01:00
impl Context {
2020-03-27 17:32:18 +01:00
pub fn new_with(active: &str, inner: ContextT) -> Self {
2020-03-27 10:31:56 +01:00
let nav = NAV.iter().map(|(href, name)| Link { name: name.to_string(), href: href.to_string(), active: *name == active }).collect();
Context {
2020-03-27 17:32:18 +01:00
nav, name: String::from(""), inner: Some(inner)
}
}
pub fn new(active: &str) -> Self {
let nav = NAV.iter().map(|(href, name)| Link { name: name.to_string(), href: href.to_string(), active: *name == active }).collect();
Context {
nav, name: String::from(""), inner: None,
2020-03-27 10:31:56 +01:00
}
}
}
2020-03-25 22:14:26 +01:00
pub async fn get_maps() -> Result<Vec<Map>, String> {
let mut maps = Vec::new();
let mut entries = fs::read_dir("maps").await.map_err(|_| "IO error".to_string())?;
while let Some(file) = entries.next().await {
let file = file.map_err(|_| "IO error".to_string())?.path();
if let Some(stem) = file.file_stem().and_then(|x| x.to_str()) {
maps.push(Map { name: stem.to_string(), url: file.to_str().unwrap().to_string() });
}
}
Ok(maps)
}
2020-03-27 17:32:18 +01:00
use ini::Ini;
pub async fn get_games() -> Result<Vec<GameOption>, String> {
let mut games = Vec::new();
let content = fs::read_to_string("games.ini").await.map_err(|_| "IO error".to_string())?;
let i = Ini::load_from_str(&content).map_err(|_| "Corrupt ini file".to_string())?;
for (sec, prop) in i.iter() {
if let Some(sec) = sec {
let name = match prop.get("name") { None => continue, Some(v) => v};
let turns = match prop.get("turns").and_then(|v| v.parse().ok()) { None => continue, Some(v) => v};
games.push(GameOption::new(name, sec, turns));
}
}
Ok(games)
}