1
0
Fork 0
mirror of https://gitlab.com/famedly/conduit.git synced 2025-06-27 16:35:59 +00:00
conduit/src/database/admin.rs

422 lines
17 KiB
Rust
Raw Normal View History

use std::{convert::TryFrom, convert::TryInto, sync::Arc, time::Instant};
2020-11-09 12:21:04 +01:00
use crate::{
error::{Error, Result},
pdu::PduBuilder,
server_server, Database, PduEvent,
};
use regex::Regex;
use rocket::{
futures::{channel::mpsc, stream::StreamExt},
http::RawStr,
};
use ruma::{
events::{room::message::RoomMessageEventContent, EventType},
EventId, RoomId, RoomVersionId, UserId,
};
use serde_json::value::to_raw_value;
use structopt::StructOpt;
2021-07-13 15:44:25 +02:00
use tokio::sync::{MutexGuard, RwLock, RwLockReadGuard};
use tracing::warn;
2020-11-09 12:21:04 +01:00
pub enum AdminCommand {
RegisterAppservice(serde_yaml::Value),
2021-12-20 15:46:36 +01:00
UnregisterAppservice(String),
ListAppservices,
ShowMemoryUsage,
SendMessage(RoomMessageEventContent),
2020-11-09 12:21:04 +01:00
}
#[derive(Clone)]
pub struct Admin {
pub sender: mpsc::UnboundedSender<AdminCommand>,
}
impl Admin {
pub fn start_handler(
&self,
2021-07-14 07:07:08 +00:00
db: Arc<RwLock<Database>>,
2020-11-09 12:21:04 +01:00
mut receiver: mpsc::UnboundedReceiver<AdminCommand>,
) {
tokio::spawn(async move {
// TODO: Use futures when we have long admin commands
//let mut futures = FuturesUnordered::new();
2021-07-14 07:07:08 +00:00
let guard = db.read().await;
2020-11-09 12:21:04 +01:00
2021-11-27 00:30:28 +01:00
let conduit_user = UserId::parse(format!("@conduit:{}", guard.globals.server_name()))
.expect("@conduit:server_name is valid");
2021-07-14 07:07:08 +00:00
let conduit_room = guard
2020-11-09 12:21:04 +01:00
.rooms
.id_from_alias(
2021-11-27 00:30:28 +01:00
format!("#admins:{}", guard.globals.server_name())
.as_str()
.try_into()
.expect("#admins:server_name is a valid room alias"),
2020-11-09 12:21:04 +01:00
)
.unwrap();
2021-07-13 15:44:25 +02:00
let conduit_room = match conduit_room {
None => {
warn!("Conduit instance does not have an #admins room. Logging to that room will not work. Restart Conduit after creating a user to fix this.");
return;
}
Some(r) => r,
};
2021-07-14 07:07:08 +00:00
drop(guard);
let send_message = |message: RoomMessageEventContent,
2021-07-13 15:44:25 +02:00
guard: RwLockReadGuard<'_, Database>,
mutex_lock: &MutexGuard<'_, ()>| {
guard
.rooms
.build_and_append_pdu(
PduBuilder {
event_type: EventType::RoomMessage,
content: to_raw_value(&message)
2021-07-13 15:44:25 +02:00
.expect("event is valid, we just created it"),
unsigned: None,
state_key: None,
redacts: None,
},
&conduit_user,
&conduit_room,
&guard,
mutex_lock,
)
.unwrap();
};
2020-11-09 12:21:04 +01:00
loop {
2021-03-03 22:38:31 +01:00
tokio::select! {
2020-11-09 12:21:04 +01:00
Some(event) = receiver.next() => {
2021-07-14 07:07:08 +00:00
let guard = db.read().await;
2021-08-03 11:10:58 +02:00
let mutex_state = Arc::clone(
2021-07-13 15:44:25 +02:00
guard.globals
2021-08-03 11:10:58 +02:00
.roomid_mutex_state
2021-07-13 15:44:25 +02:00
.write()
.unwrap()
.entry(conduit_room.clone())
.or_default(),
);
2021-08-03 11:10:58 +02:00
let state_lock = mutex_state.lock().await;
2021-07-14 07:07:08 +00:00
2020-11-09 12:21:04 +01:00
match event {
AdminCommand::RegisterAppservice(yaml) => {
2021-07-14 07:07:08 +00:00
guard.appservice.register_appservice(yaml).unwrap(); // TODO handle error
}
2021-12-20 15:46:36 +01:00
AdminCommand::UnregisterAppservice(service_name) => {
guard.appservice.unregister_appservice(&service_name).unwrap(); // TODO: see above
}
AdminCommand::ListAppservices => {
2021-07-14 07:07:08 +00:00
if let Ok(appservices) = guard.appservice.iter_ids().map(|ids| ids.collect::<Vec<_>>()) {
2021-06-08 18:10:00 +02:00
let count = appservices.len();
let output = format!(
"Appservices ({}): {}",
count,
appservices.into_iter().filter_map(|r| r.ok()).collect::<Vec<_>>().join(", ")
);
send_message(RoomMessageEventContent::text_plain(output), guard, &state_lock);
2021-06-08 18:10:00 +02:00
} else {
send_message(RoomMessageEventContent::text_plain("Failed to get appservices."), guard, &state_lock);
2021-06-08 18:10:00 +02:00
}
}
AdminCommand::ShowMemoryUsage => {
if let Ok(response) = guard._db.memory_usage() {
send_message(RoomMessageEventContent::text_plain(response), guard, &state_lock);
} else {
2022-01-20 00:10:39 +01:00
send_message(RoomMessageEventContent::text_plain("Failed to get database memory usage.".to_owned()), guard, &state_lock);
}
}
AdminCommand::SendMessage(message) => {
2021-08-03 11:10:58 +02:00
send_message(message, guard, &state_lock);
2020-11-09 12:21:04 +01:00
}
}
2021-07-13 15:44:25 +02:00
2021-08-03 11:10:58 +02:00
drop(state_lock);
2020-11-09 12:21:04 +01:00
}
}
}
});
}
pub fn send(&self, command: AdminCommand) {
2021-06-08 18:10:00 +02:00
self.sender.unbounded_send(command).unwrap();
2020-11-09 12:21:04 +01:00
}
}
2022-01-21 11:06:16 +02:00
// Parse chat messages from the admin room into an AdminCommand object
pub fn parse_admin_command(db: &Database, command_line: &str, body: Vec<&str>) -> AdminCommand {
let mut argv: Vec<_> = command_line.split_whitespace().skip(1).collect();
let command_name = match argv.get(0) {
Some(command) => *command,
None => {
let markdown_message = "No command given. Use `help` for a list of commands.";
let html_message = markdown_to_html(&markdown_message);
return AdminCommand::SendMessage(RoomMessageEventContent::text_html(
markdown_message,
html_message,
));
}
};
// Backwards compatibility with `register_appservice`-style commands
let command_with_dashes;
if command_line.contains("_") {
command_with_dashes = command_name.replace("_", "-");
argv[0] = &command_with_dashes;
}
match try_parse_admin_command(db, argv, body) {
Ok(admin_command) => admin_command,
Err(error) => {
let markdown_message = format!(
"Encountered an error while handling the `{}` command:\n\
```\n{}\n```",
command_name, error,
);
let html_message = markdown_to_html(&markdown_message);
AdminCommand::SendMessage(RoomMessageEventContent::text_html(
markdown_message,
html_message,
))
}
}
}
#[derive(StructOpt)]
enum AdminCommands {
#[structopt(verbatim_doc_comment)]
2022-01-21 11:06:16 +02:00
/// Register an appservice using its registration YAML
///
2022-01-21 11:06:16 +02:00
/// This command needs a YAML generated by an appservice (such as a bridge),
/// which must be provided in a Markdown code-block below the command.
///
/// Registering a new bridge using the ID of an existing bridge will replace
/// the old one.
///
/// Example:
/// ````
/// @conduit:example.com: register-appservice
/// ```
/// yaml content here
/// ```
/// ````
RegisterAppservice,
2022-01-21 11:06:16 +02:00
/// Unregister an appservice using its ID
///
/// You can find the ID using the `list-appservices` command.
UnregisterAppservice { appservice_identifier: String },
2022-01-21 11:06:16 +02:00
/// List all the currently registered appservices
ListAppservices,
2022-01-21 11:06:16 +02:00
/// Get the auth_chain of a PDU
GetAuthChain { event_id: Box<EventId> },
2022-01-21 11:06:16 +02:00
/// Parse and print a PDU from a JSON
2022-01-21 11:06:16 +02:00
///
/// The PDU event is only checked for validity and is not added to the
/// database.
ParsePdu,
2022-01-21 11:06:16 +02:00
/// Retrieve and print a PDU by ID from the Conduit database
GetPdu { event_id: Box<EventId> },
2022-01-21 11:06:16 +02:00
/// Print database memory usage statistics
DatabaseMemoryUsage,
}
pub fn try_parse_admin_command(
db: &Database,
mut argv: Vec<&str>,
body: Vec<&str>,
) -> Result<AdminCommand> {
argv.insert(0, "@conduit:example.com:");
let command = match AdminCommands::from_iter_safe(argv) {
Ok(command) => command,
Err(error) => {
println!("Before:\n{}\n", error.to_string());
let markdown_message = usage_to_markdown(&error.to_string())
.replace("example.com", db.globals.server_name().as_str());
let html_message = markdown_to_html(&markdown_message);
return Ok(AdminCommand::SendMessage(
RoomMessageEventContent::text_html(markdown_message, html_message),
));
}
};
let admin_command = match command {
AdminCommands::RegisterAppservice => {
if body.len() > 2 && body[0].trim() == "```" && body.last().unwrap().trim() == "```" {
let appservice_config = body[1..body.len() - 1].join("\n");
let parsed_config = serde_yaml::from_str::<serde_yaml::Value>(&appservice_config);
match parsed_config {
Ok(yaml) => AdminCommand::RegisterAppservice(yaml),
Err(e) => AdminCommand::SendMessage(RoomMessageEventContent::text_plain(
format!("Could not parse appservice config: {}", e),
)),
}
} else {
AdminCommand::SendMessage(RoomMessageEventContent::text_plain(
"Expected code block in command body.",
))
}
}
AdminCommands::UnregisterAppservice {
appservice_identifier,
} => AdminCommand::UnregisterAppservice(appservice_identifier),
AdminCommands::ListAppservices => AdminCommand::ListAppservices,
AdminCommands::GetAuthChain { event_id } => {
let event_id = Arc::<EventId>::from(event_id);
if let Some(event) = db.rooms.get_pdu_json(&event_id)? {
let room_id_str = event
.get("room_id")
.and_then(|val| val.as_str())
.ok_or_else(|| Error::bad_database("Invalid event in database"))?;
let room_id = <&RoomId>::try_from(room_id_str).map_err(|_| {
Error::bad_database("Invalid room id field in event in database")
})?;
let start = Instant::now();
let count = server_server::get_auth_chain(room_id, vec![event_id], db)?.count();
let elapsed = start.elapsed();
return Ok(AdminCommand::SendMessage(
RoomMessageEventContent::text_plain(format!(
"Loaded auth chain with length {} in {:?}",
count, elapsed
)),
));
} else {
AdminCommand::SendMessage(RoomMessageEventContent::text_plain("Event not found."))
}
}
AdminCommands::ParsePdu => {
if body.len() > 2 && body[0].trim() == "```" && body.last().unwrap().trim() == "```" {
let string = body[1..body.len() - 1].join("\n");
match serde_json::from_str(&string) {
Ok(value) => {
let event_id = EventId::parse(format!(
"${}",
// Anything higher than version3 behaves the same
ruma::signatures::reference_hash(&value, &RoomVersionId::V6)
.expect("ruma can calculate reference hashes")
))
.expect("ruma's reference hashes are valid event ids");
match serde_json::from_value::<PduEvent>(
serde_json::to_value(value).expect("value is json"),
) {
Ok(pdu) => {
AdminCommand::SendMessage(RoomMessageEventContent::text_plain(
format!("EventId: {:?}\n{:#?}", event_id, pdu),
))
}
Err(e) => AdminCommand::SendMessage(
RoomMessageEventContent::text_plain(format!(
"EventId: {:?}\nCould not parse event: {}",
event_id, e
)),
),
}
}
Err(e) => AdminCommand::SendMessage(RoomMessageEventContent::text_plain(
format!("Invalid json in command body: {}", e),
)),
}
} else {
AdminCommand::SendMessage(RoomMessageEventContent::text_plain(
"Expected code block in command body.",
))
}
}
AdminCommands::GetPdu { event_id } => {
let mut outlier = false;
let mut pdu_json = db.rooms.get_non_outlier_pdu_json(&event_id)?;
if pdu_json.is_none() {
outlier = true;
pdu_json = db.rooms.get_pdu_json(&event_id)?;
}
match pdu_json {
Some(json) => {
let json_text =
serde_json::to_string_pretty(&json).expect("canonical json is valid json");
AdminCommand::SendMessage(RoomMessageEventContent::text_html(
format!(
"{}\n```json\n{}\n```",
if outlier {
"PDU is outlier"
} else {
"PDU was accepted"
},
json_text
),
format!(
"<p>{}</p>\n<pre><code class=\"language-json\">{}\n</code></pre>\n",
if outlier {
"PDU is outlier"
} else {
"PDU was accepted"
},
RawStr::new(&json_text).html_escape()
),
))
}
None => {
AdminCommand::SendMessage(RoomMessageEventContent::text_plain("PDU not found."))
}
}
}
AdminCommands::DatabaseMemoryUsage => AdminCommand::ShowMemoryUsage,
};
Ok(admin_command)
}
2022-01-21 11:06:16 +02:00
// Utility to turn structopt's `--help` text to markdown.
fn usage_to_markdown(text: &str) -> String {
// For the conduit admin room, subcommands become main commands
let text = text.replace("SUBCOMMAND", "COMMAND");
let text = text.replace("subcommand", "command");
// Put the first line (command name and version text) on its own paragraph
let re = Regex::new("^(.*?)\n").expect("Regex compilation should not fail");
let text = re.replace_all(&text, "*$1*\n\n");
// Wrap command names in backticks
// (?m) enables multi-line mode for ^ and $
let re = Regex::new("(?m)^ ([a-z-]+) +(.*)$").expect("Regex compilation should not fail");
let text = re.replace_all(&text, " `$1`: $2");
// Add * to list items
let re = Regex::new("(?m)^ (.*)$").expect("Regex compilation should not fail");
let text = re.replace_all(&text, "* $1");
// Turn section names to headings
let re = Regex::new("(?m)^([A-Z-]+):$").expect("Regex compilation should not fail");
let text = re.replace_all(&text, "#### $1");
text.to_string()
}
2022-01-21 11:06:16 +02:00
// Convert markdown to HTML using the CommonMark flavor
fn markdown_to_html(text: &str) -> String {
// CommonMark's spec allows HTML tags; however, CLI required arguments look
// very much like tags so escape them.
let text = text.replace("<", "&lt;").replace(">", "&gt;");
let mut html_output = String::new();
let parser = pulldown_cmark::Parser::new(&text);
pulldown_cmark::html::push_html(&mut html_output, parser);
html_output
}