upub/src/main.rs

145 lines
3.8 KiB
Rust
Raw Normal View History

pub mod server; // TODO there are some methods that i dont use yet, make it public so that ra shuts up
2024-05-03 04:12:15 +02:00
mod model;
mod routes;
2024-04-06 18:03:13 +02:00
2024-05-03 04:12:15 +02:00
mod errors;
mod config;
#[cfg(feature = "cli")]
mod cli;
2024-04-06 18:03:13 +02:00
#[cfg(feature = "migrations")]
mod migrations;
#[cfg(feature = "migrations")]
use sea_orm_migration::MigratorTrait;
use std::path::PathBuf;
use config::Config;
2024-04-06 18:03:13 +02:00
use clap::{Parser, Subcommand};
use sea_orm::{ConnectOptions, Database};
pub use errors::UpubResult as Result;
2024-04-13 22:31:46 +02:00
use tower_http::{cors::CorsLayer, trace::TraceLayer};
2024-03-25 05:02:20 +01:00
pub const VERSION: &str = env!("CARGO_PKG_VERSION");
#[derive(Parser)]
/// all names were taken
struct Args {
#[clap(subcommand)]
/// command to run
command: Mode,
/// path to config file, leave empty to not use any
#[arg(short, long)]
config: Option<PathBuf>,
#[arg(long = "db")]
/// database connection uri, overrides config value
database: Option<String>,
#[arg(long)]
/// instance base domain, for AP ids, overrides config value
domain: Option<String>,
2024-03-20 08:56:35 +01:00
#[arg(long, default_value_t=false)]
/// run with debug level tracing
debug: bool,
}
#[derive(Clone, Subcommand)]
enum Mode {
/// run fediverse server
2024-05-27 06:20:54 +02:00
Serve {
#[arg(short, long, default_value="127.0.0.1:3000")]
/// addr to bind and serve onto
bind: String,
},
/// print current or default configuration
Config,
2024-04-06 18:03:13 +02:00
#[cfg(feature = "migrations")]
/// apply database migrations
Migrate,
2024-03-16 05:46:14 +01:00
#[cfg(feature = "cli")]
/// run maintenance CLI tasks
Cli {
#[clap(subcommand)]
/// task to run
command: cli::CliCommand,
},
}
2024-02-09 17:07:55 +01:00
#[tokio::main]
async fn main() {
let args = Args::parse();
tracing_subscriber::fmt()
.compact()
.with_max_level(if args.debug { tracing::Level::DEBUG } else { tracing::Level::INFO })
.init();
let config = Config::load(args.config);
let database = args.database.unwrap_or(config.datasource.connection_string.clone());
let domain = args.domain.unwrap_or(config.instance.domain.clone());
// TODO can i do connectoptions.into() or .connect() and skip these ugly bindings?
let mut opts = ConnectOptions::new(&database);
opts
.sqlx_logging_level(tracing::log::LevelFilter::Debug)
.max_connections(config.datasource.max_connections)
.min_connections(config.datasource.min_connections)
.acquire_timeout(std::time::Duration::from_secs(config.datasource.acquire_timeout_seconds))
.connect_timeout(std::time::Duration::from_secs(config.datasource.connect_timeout_seconds))
.sqlx_slow_statements_logging_settings(
if config.datasource.slow_query_warn_enable { tracing::log::LevelFilter::Warn } else { tracing::log::LevelFilter::Off },
std::time::Duration::from_secs(config.datasource.slow_query_warn_seconds)
);
let db = Database::connect(opts)
.await.expect("error connecting to db");
match args.command {
2024-04-06 18:03:13 +02:00
#[cfg(feature = "migrations")]
Mode::Migrate =>
migrations::Migrator::up(&db, None)
.await.expect("error applying migrations"),
2024-03-16 05:46:14 +01:00
#[cfg(feature = "cli")]
Mode::Cli { command } =>
cli::run(command, db, domain, config)
.await.expect("failed running cli task"),
Mode::Config => println!("{}", toml::to_string_pretty(&config).expect("failed serializing config")),
2024-05-27 06:20:54 +02:00
Mode::Serve { bind } => {
let ctx = server::Context::new(db, domain, config)
2024-04-09 04:35:57 +02:00
.await.expect("failed creating server context");
use routes::activitypub::ActivityPubRouter;
use routes::mastodon::MastodonRouter;
let router = axum::Router::new()
.ap_routes()
.mastodon_routes() // no-op if mastodon feature is disabled
2024-04-13 22:31:46 +02:00
.layer(CorsLayer::permissive())
.layer(TraceLayer::new_for_http())
.with_state(ctx);
2024-04-09 04:35:57 +02:00
// run our app with hyper, listening locally on port 3000
2024-05-27 06:20:54 +02:00
let listener = tokio::net::TcpListener::bind(bind)
2024-04-09 04:35:57 +02:00
.await.expect("could not bind tcp socket");
axum::serve(listener, router)
.await
.expect("failed serving application")
},
}
}