planetwars.dev/planetwars-server/src/routes/matches.rs

158 lines
4.7 KiB
Rust
Raw Normal View History

2022-01-03 22:33:00 +00:00
use std::path::PathBuf;
2022-01-01 15:32:55 +00:00
2022-01-02 16:56:52 +00:00
use axum::{
extract::{Extension, Path},
Json,
};
2022-01-01 15:32:55 +00:00
use hyper::StatusCode;
2022-01-23 12:23:23 +00:00
use planetwars_matchrunner::{docker_runner::DockerBotSpec, run_match, MatchConfig, MatchPlayer};
2022-01-01 15:32:55 +00:00
use rand::{distributions::Alphanumeric, Rng};
2022-01-01 10:26:49 +00:00
use serde::{Deserialize, Serialize};
2022-01-01 15:32:55 +00:00
use crate::{
2022-01-03 22:33:00 +00:00
db::{
bots,
matches::{self, MatchState},
users::User,
},
2022-01-02 15:14:03 +00:00
ConnectionPool, DatabaseConnection, BOTS_DIR, MAPS_DIR, MATCHES_DIR,
2022-01-01 15:32:55 +00:00
};
2022-01-01 10:26:49 +00:00
#[derive(Serialize, Deserialize, Debug)]
pub struct MatchParams {
// Just bot ids for now
players: Vec<i32>,
}
2022-01-01 15:32:55 +00:00
pub async fn play_match(
2022-01-02 15:14:03 +00:00
_user: User,
Extension(pool): Extension<ConnectionPool>,
2022-01-01 15:32:55 +00:00
Json(params): Json<MatchParams>,
) -> Result<(), StatusCode> {
2022-01-02 15:14:03 +00:00
let conn = pool.get().await.expect("could not get database connection");
2022-01-01 15:32:55 +00:00
let map_path = PathBuf::from(MAPS_DIR).join("hex.json");
let slug: String = rand::thread_rng()
.sample_iter(&Alphanumeric)
.take(16)
.map(char::from)
.collect();
2022-01-02 16:56:52 +00:00
let log_file_name = format!("{}.log", slug);
2022-01-01 15:32:55 +00:00
let mut players = Vec::new();
2022-01-02 15:14:03 +00:00
let mut bot_ids = Vec::new();
2022-01-01 15:32:55 +00:00
for bot_name in params.players {
let bot = bots::find_bot(bot_name, &conn).map_err(|_| StatusCode::BAD_REQUEST)?;
let code_bundle =
bots::active_code_bundle(bot.id, &conn).map_err(|_| StatusCode::BAD_REQUEST)?;
let bundle_path = PathBuf::from(BOTS_DIR).join(&code_bundle.path);
let bot_config: BotConfig = std::fs::read_to_string(bundle_path.join("botconfig.toml"))
.and_then(|config_str| toml::from_str(&config_str).map_err(|e| e.into()))
.map_err(|_| StatusCode::INTERNAL_SERVER_ERROR)?;
players.push(MatchPlayer {
name: bot.name.clone(),
2022-01-23 12:23:23 +00:00
bot_spec: Box::new(DockerBotSpec {
code_path: PathBuf::from(BOTS_DIR).join(code_bundle.path),
image: "python:3.10-slim-buster".to_string(),
argv: shlex::split(&bot_config.run_command)
// TODO: this is an user error, should ideally be handled before we get here
.ok_or_else(|| StatusCode::INTERNAL_SERVER_ERROR)?,
}),
2022-01-01 15:32:55 +00:00
});
2022-01-02 15:14:03 +00:00
bot_ids.push(matches::MatchPlayerData { bot_id: bot.id });
2022-01-01 15:32:55 +00:00
}
let match_config = MatchConfig {
map_name: "hex".to_string(),
map_path,
2022-01-02 16:56:52 +00:00
log_path: PathBuf::from(MATCHES_DIR).join(&log_file_name),
2022-01-23 12:23:23 +00:00
players,
2022-01-01 15:32:55 +00:00
};
2022-01-02 16:56:52 +00:00
tokio::spawn(run_match_task(
match_config,
log_file_name,
bot_ids,
pool.clone(),
));
2022-01-01 15:32:55 +00:00
Ok(())
}
2022-01-02 15:14:03 +00:00
async fn run_match_task(
config: MatchConfig,
2022-01-02 16:56:52 +00:00
log_file_name: String,
2022-01-02 15:14:03 +00:00
match_players: Vec<matches::MatchPlayerData>,
pool: ConnectionPool,
) {
let match_data = matches::NewMatch {
2022-01-03 22:33:00 +00:00
state: MatchState::Finished,
2022-01-02 16:56:52 +00:00
log_path: &log_file_name,
2022-01-02 15:14:03 +00:00
};
run_match(config).await;
let conn = pool.get().await.expect("could not get database connection");
matches::create_match(&match_data, &match_players, &conn).expect("could not create match");
}
#[derive(Serialize, Deserialize)]
pub struct ApiMatch {
id: i32,
timestamp: chrono::NaiveDateTime,
players: Vec<ApiMatchPlayer>,
}
#[derive(Serialize, Deserialize)]
pub struct ApiMatchPlayer {
bot_id: i32,
}
pub async fn list_matches(conn: DatabaseConnection) -> Result<Json<Vec<ApiMatch>>, StatusCode> {
matches::list_matches(&conn)
.map_err(|_| StatusCode::BAD_REQUEST)
.map(|matches| Json(matches.into_iter().map(match_data_to_api).collect()))
}
2022-02-08 19:13:24 +00:00
pub fn match_data_to_api(data: matches::MatchData) -> ApiMatch {
2022-01-02 15:14:03 +00:00
ApiMatch {
id: data.base.id,
timestamp: data.base.created_at,
players: data
.match_players
.iter()
.map(|p| ApiMatchPlayer { bot_id: p.bot_id })
.collect(),
}
}
2022-01-01 15:32:55 +00:00
// TODO: this is duplicated from planetwars-cli
// clean this up and move to matchrunner crate
#[derive(Serialize, Deserialize)]
pub struct BotConfig {
pub name: String,
pub run_command: String,
pub build_command: Option<String>,
2022-01-01 10:26:49 +00:00
}
2022-01-02 16:56:52 +00:00
pub async fn get_match_data(
Path(match_id): Path<i32>,
conn: DatabaseConnection,
) -> Result<Json<ApiMatch>, StatusCode> {
let match_data = matches::find_match(match_id, &conn)
.map_err(|_| StatusCode::NOT_FOUND)
.map(|data| match_data_to_api(data))?;
Ok(Json(match_data))
}
2022-01-02 16:56:52 +00:00
pub async fn get_match_log(
Path(match_id): Path<i32>,
conn: DatabaseConnection,
) -> Result<Vec<u8>, StatusCode> {
let match_base = matches::find_mach_base(match_id, &conn).map_err(|_| StatusCode::NOT_FOUND)?;
let log_path = PathBuf::from(MATCHES_DIR).join(&match_base.log_path);
let log_contents = std::fs::read(log_path).map_err(|_| StatusCode::INTERNAL_SERVER_ERROR)?;
Ok(log_contents)
}