combine service/users data w/ mod unit split sliding sync related out of service/users instrument database entry points remove increment crap from database interface de-wrap all database get() calls de-wrap all database insert() calls de-wrap all database remove() calls refactor database interface for async streaming add query key serializer for database implement Debug for result handle add query deserializer for database add deserialization trait for option handle start a stream utils suite de-wrap/asyncify/type-query count_one_time_keys() de-wrap/asyncify users count add admin query users command suite de-wrap/asyncify users exists de-wrap/partially asyncify user filter related asyncify/de-wrap users device/keys related asyncify/de-wrap user auth/misc related asyncify/de-wrap users blurhash asyncify/de-wrap account_data get; merge Data into Service partial asyncify/de-wrap uiaa; merge Data into Service partially asyncify/de-wrap transaction_ids get; merge Data into Service partially asyncify/de-wrap key_backups; merge Data into Service asyncify/de-wrap pusher service getters; merge Data into Service asyncify/de-wrap rooms alias getters/some iterators asyncify/de-wrap rooms directory getters/iterator partially asyncify/de-wrap rooms lazy-loading partially asyncify/de-wrap rooms metadata asyncify/dewrap rooms outlier asyncify/dewrap rooms pdu_metadata dewrap/partially asyncify rooms read receipt de-wrap rooms search service de-wrap/partially asyncify rooms user service partial de-wrap rooms state_compressor de-wrap rooms state_cache de-wrap room state et al de-wrap rooms timeline service additional users device/keys related de-wrap/asyncify sender asyncify services refactor database to TryFuture/TryStream refactor services for TryFuture/TryStream asyncify api handlers additional asyncification for admin module abstract stream related; support reverse streams additional stream conversions asyncify state-res related Signed-off-by: Jason Volk <jason@zemos.net>
269 lines
7.8 KiB
Rust
269 lines
7.8 KiB
Rust
use std::{
|
|
fmt::Write,
|
|
panic::AssertUnwindSafe,
|
|
sync::{Arc, Mutex},
|
|
time::SystemTime,
|
|
};
|
|
|
|
use clap::{CommandFactory, Parser};
|
|
use conduit::{
|
|
debug, error,
|
|
log::{
|
|
capture,
|
|
capture::Capture,
|
|
fmt::{markdown_table, markdown_table_head},
|
|
},
|
|
trace,
|
|
utils::string::{collect_stream, common_prefix},
|
|
warn, Error, Result,
|
|
};
|
|
use futures::future::FutureExt;
|
|
use ruma::{
|
|
events::{
|
|
relation::InReplyTo,
|
|
room::message::{Relation::Reply, RoomMessageEventContent},
|
|
},
|
|
EventId,
|
|
};
|
|
use service::{
|
|
admin::{CommandInput, CommandOutput, ProcessorFuture, ProcessorResult},
|
|
Services,
|
|
};
|
|
use tracing::Level;
|
|
use tracing_subscriber::{filter::LevelFilter, EnvFilter};
|
|
|
|
use crate::{admin, admin::AdminCommand, Command};
|
|
|
|
#[must_use]
|
|
pub(super) fn complete(line: &str) -> String { complete_command(AdminCommand::command(), line) }
|
|
|
|
#[must_use]
|
|
pub(super) fn dispatch(services: Arc<Services>, command: CommandInput) -> ProcessorFuture {
|
|
Box::pin(handle_command(services, command))
|
|
}
|
|
|
|
#[tracing::instrument(skip_all, name = "admin")]
|
|
async fn handle_command(services: Arc<Services>, command: CommandInput) -> ProcessorResult {
|
|
AssertUnwindSafe(Box::pin(process_command(services, &command)))
|
|
.catch_unwind()
|
|
.await
|
|
.map_err(Error::from_panic)
|
|
.unwrap_or_else(|error| handle_panic(&error, &command))
|
|
}
|
|
|
|
async fn process_command(services: Arc<Services>, input: &CommandInput) -> ProcessorResult {
|
|
let (command, args, body) = match parse(&services, input) {
|
|
Err(error) => return Err(error),
|
|
Ok(parsed) => parsed,
|
|
};
|
|
|
|
let context = Command {
|
|
services: &services,
|
|
body: &body,
|
|
timer: SystemTime::now(),
|
|
reply_id: input.reply_id.as_deref(),
|
|
};
|
|
|
|
process(&context, command, &args).await
|
|
}
|
|
|
|
fn handle_panic(error: &Error, command: &CommandInput) -> ProcessorResult {
|
|
let link = "Please submit a [bug report](https://github.com/girlbossceo/conduwuit/issues/new). 🥺";
|
|
let msg = format!("Panic occurred while processing command:\n```\n{error:#?}\n```\n{link}");
|
|
let content = RoomMessageEventContent::notice_markdown(msg);
|
|
error!("Panic while processing command: {error:?}");
|
|
Err(reply(content, command.reply_id.as_deref()))
|
|
}
|
|
|
|
// Parse and process a message from the admin room
|
|
async fn process(context: &Command<'_>, command: AdminCommand, args: &[String]) -> ProcessorResult {
|
|
let (capture, logs) = capture_create(context);
|
|
|
|
let capture_scope = capture.start();
|
|
let result = Box::pin(admin::process(command, context)).await;
|
|
drop(capture_scope);
|
|
|
|
debug!(
|
|
ok = result.is_ok(),
|
|
elapsed = ?context.timer.elapsed(),
|
|
command = ?args,
|
|
"command processed"
|
|
);
|
|
|
|
let mut output = String::new();
|
|
|
|
// Prepend the logs only if any were captured
|
|
let logs = logs.lock().expect("locked");
|
|
if logs.lines().count() > 2 {
|
|
writeln!(&mut output, "{logs}").expect("failed to format logs to command output");
|
|
}
|
|
drop(logs);
|
|
|
|
match result {
|
|
Ok(content) => {
|
|
write!(&mut output, "{0}", content.body()).expect("failed to format command result to output buffer");
|
|
Ok(Some(reply(RoomMessageEventContent::notice_markdown(output), context.reply_id)))
|
|
},
|
|
Err(error) => {
|
|
write!(&mut output, "Command failed with error:\n```\n{error:#?}\n```")
|
|
.expect("failed to format command result to output");
|
|
Err(reply(RoomMessageEventContent::notice_markdown(output), context.reply_id))
|
|
},
|
|
}
|
|
}
|
|
|
|
fn capture_create(context: &Command<'_>) -> (Arc<Capture>, Arc<Mutex<String>>) {
|
|
let env_config = &context.services.server.config.admin_log_capture;
|
|
let env_filter = EnvFilter::try_new(env_config).unwrap_or_else(|e| {
|
|
warn!("admin_log_capture filter invalid: {e:?}");
|
|
cfg!(debug_assertions)
|
|
.then_some("debug")
|
|
.or(Some("info"))
|
|
.map(Into::into)
|
|
.expect("default capture EnvFilter")
|
|
});
|
|
|
|
let log_level = env_filter
|
|
.max_level_hint()
|
|
.and_then(LevelFilter::into_level)
|
|
.unwrap_or(Level::DEBUG);
|
|
|
|
let filter =
|
|
move |data: capture::Data<'_>| data.level() <= log_level && data.our_modules() && data.scope.contains(&"admin");
|
|
|
|
let logs = Arc::new(Mutex::new(
|
|
collect_stream(|s| markdown_table_head(s)).expect("markdown table header"),
|
|
));
|
|
|
|
let capture = Capture::new(
|
|
&context.services.server.log.capture,
|
|
Some(filter),
|
|
capture::fmt(markdown_table, logs.clone()),
|
|
);
|
|
|
|
(capture, logs)
|
|
}
|
|
|
|
// Parse chat messages from the admin room into an AdminCommand object
|
|
fn parse<'a>(
|
|
services: &Arc<Services>, input: &'a CommandInput,
|
|
) -> Result<(AdminCommand, Vec<String>, Vec<&'a str>), CommandOutput> {
|
|
let lines = input.command.lines().filter(|line| !line.trim().is_empty());
|
|
let command_line = lines.clone().next().expect("command missing first line");
|
|
let body = lines.skip(1).collect();
|
|
match parse_command(command_line) {
|
|
Ok((command, args)) => Ok((command, args, body)),
|
|
Err(error) => {
|
|
let message = error
|
|
.to_string()
|
|
.replace("server.name", services.globals.server_name().as_str());
|
|
Err(reply(
|
|
RoomMessageEventContent::notice_markdown(message),
|
|
input.reply_id.as_deref(),
|
|
))
|
|
},
|
|
}
|
|
}
|
|
|
|
fn parse_command(line: &str) -> Result<(AdminCommand, Vec<String>)> {
|
|
let argv = parse_line(line);
|
|
let command = AdminCommand::try_parse_from(&argv)?;
|
|
Ok((command, argv))
|
|
}
|
|
|
|
fn complete_command(mut cmd: clap::Command, line: &str) -> String {
|
|
let argv = parse_line(line);
|
|
let mut ret = Vec::<String>::with_capacity(argv.len().saturating_add(1));
|
|
|
|
'token: for token in argv.into_iter().skip(1) {
|
|
let cmd_ = cmd.clone();
|
|
let mut choice = Vec::new();
|
|
|
|
for sub in cmd_.get_subcommands() {
|
|
let name = sub.get_name();
|
|
if *name == token {
|
|
// token already complete; recurse to subcommand
|
|
ret.push(token);
|
|
cmd.clone_from(sub);
|
|
continue 'token;
|
|
} else if name.starts_with(&token) {
|
|
// partial match; add to choices
|
|
choice.push(name);
|
|
}
|
|
}
|
|
|
|
if choice.len() == 1 {
|
|
// One choice. Add extra space because it's complete
|
|
let choice = *choice.first().expect("only choice");
|
|
ret.push(choice.to_owned());
|
|
ret.push(String::new());
|
|
} else if choice.is_empty() {
|
|
// Nothing found, return original string
|
|
ret.push(token);
|
|
} else {
|
|
// Find the common prefix
|
|
ret.push(common_prefix(&choice).into());
|
|
}
|
|
|
|
// Return from completion
|
|
return ret.join(" ");
|
|
}
|
|
|
|
// Return from no completion. Needs a space though.
|
|
ret.push(String::new());
|
|
ret.join(" ")
|
|
}
|
|
|
|
// Parse chat messages from the admin room into an AdminCommand object
|
|
fn parse_line(command_line: &str) -> Vec<String> {
|
|
let mut argv = command_line
|
|
.split_whitespace()
|
|
.map(str::to_owned)
|
|
.collect::<Vec<String>>();
|
|
|
|
// Remove any escapes that came with a server-side escape command
|
|
if !argv.is_empty() && argv[0].ends_with("admin") {
|
|
argv[0] = argv[0].trim_start_matches('\\').into();
|
|
}
|
|
|
|
// First indice has to be "admin" but for console convenience we add it here
|
|
if !argv.is_empty() && !argv[0].ends_with("admin") && !argv[0].starts_with('@') {
|
|
argv.insert(0, "admin".to_owned());
|
|
}
|
|
|
|
// Replace `help command` with `command --help`
|
|
// Clap has a help subcommand, but it omits the long help description.
|
|
if argv.len() > 1 && argv[1] == "help" {
|
|
argv.remove(1);
|
|
argv.push("--help".to_owned());
|
|
}
|
|
|
|
// Backwards compatibility with `register_appservice`-style commands
|
|
if argv.len() > 1 && argv[1].contains('_') {
|
|
argv[1] = argv[1].replace('_', "-");
|
|
}
|
|
|
|
// Backwards compatibility with `register_appservice`-style commands
|
|
if argv.len() > 2 && argv[2].contains('_') {
|
|
argv[2] = argv[2].replace('_', "-");
|
|
}
|
|
|
|
// if the user is using the `query` command (argv[1]), replace the database
|
|
// function/table calls with underscores to match the codebase
|
|
if argv.len() > 3 && argv[1].eq("query") {
|
|
argv[3] = argv[3].replace('_', "-");
|
|
}
|
|
|
|
trace!(?command_line, ?argv, "parse");
|
|
argv
|
|
}
|
|
|
|
fn reply(mut content: RoomMessageEventContent, reply_id: Option<&EventId>) -> RoomMessageEventContent {
|
|
content.relates_to = reply_id.map(|event_id| Reply {
|
|
in_reply_to: InReplyTo {
|
|
event_id: event_id.to_owned(),
|
|
},
|
|
});
|
|
|
|
content
|
|
}
|