use crate::context::Context; use crate::error::BotError; use async_trait::async_trait; use thiserror::Error; use BotError::DataError; pub mod basic_rolling; pub mod cofd; pub mod cthulhu; pub mod management; pub mod misc; pub mod parser; pub mod variables; /// A custom error type specifically related to parsing command text. /// Does not wrap an execution failure. #[derive(Error, Debug)] pub enum CommandError { #[error("invalid command: {0}")] InvalidCommand(String), #[error("ignored command")] IgnoredCommand, } /// A successfully executed command returns a message to be sent back /// to the user in HTML (plain text used as a fallback by message /// formatter). #[derive(Debug)] pub struct Execution { html: String, } impl Execution { pub fn success(html: String) -> ExecutionResult { Ok(Execution { html }) } /// Response message in HTML. pub fn html(&self) -> String { self.html.clone() } } /// Wraps a command execution failure. Provides HTML formatting for /// any error message from the BotError type, similar to how Execution /// provides formatting for successfully executed commands. #[derive(Error, Debug)] #[error("{0}")] pub struct ExecutionError(#[from] pub BotError); impl From for ExecutionError { fn from(error: crate::db::errors::DataError) -> Self { Self(DataError(error)) } } impl ExecutionError { /// Error message in bolded HTML. pub fn html(&self) -> String { format!("

{}

", self.0) } } /// Wraps either a successful command execution response, or an error /// that occurred. pub type ExecutionResult = Result; /// Extract response messages out of a type, whether it is success or /// failure. pub trait ResponseExtractor { /// HTML representation of the message, directly mentioning the /// username. fn message_html(&self, username: &str) -> String; } impl ResponseExtractor for ExecutionResult { /// Error message in bolded HTML. fn message_html(&self, username: &str) -> String { // TODO use user display name too (element seems to render this // without display name) let username = format!( "{}", username, username ); match self { Ok(resp) => format!("

{}

{}

", username, resp.html).replace("\n", "
"), Err(e) => format!("

{}

{}

", username, e.html()).replace("\n", "
"), } } } /// The trait that any command that can be executed must implement. #[async_trait] pub trait Command: Send + Sync { async fn execute(&self, ctx: &Context<'_>) -> ExecutionResult; fn name(&self) -> &'static str; } /// Attempt to execute a command, and return the content that should /// go back to Matrix, if the command was executed (successfully or /// not). If a command is determined to be ignored, this function will /// return None, signifying that we should not send a response. pub async fn execute_command(ctx: &Context<'_>) -> ExecutionResult { let cmd = parser::parse_command(&ctx.message_body)?; cmd.execute(ctx).await } #[cfg(test)] mod tests { use super::*; use url::Url; macro_rules! dummy_room { () => { crate::context::RoomContext { id: &matrix_sdk::identifiers::room_id!("!fakeroomid:example.com"), display_name: "displayname", } }; } #[test] fn command_result_extractor_creates_bubble() { let result = Execution::success("test".to_string()); let message = result.message_html("@myuser:example.com"); assert!(message.contains( "@myuser:example.com" )); } #[tokio::test(flavor = "multi_thread", worker_threads = 1)] async fn unrecognized_command() { let db_path = tempfile::NamedTempFile::new_in(".").unwrap(); let db = crate::db::sqlite::Database::new(db_path.path().to_str().unwrap()) .await .unwrap(); let homeserver = Url::parse("http://example.com").unwrap(); let ctx = Context { db: db, matrix_client: &matrix_sdk::Client::new(homeserver).unwrap(), room: dummy_room!(), username: "myusername", message_body: "!notacommand", }; let result = execute_command(&ctx).await; assert!(result.is_err()); } }