upend/cli/src/main.rs

338 lines
10 KiB
Rust
Raw Normal View History

2020-08-27 00:11:50 +02:00
#[macro_use]
extern crate upend;
2020-08-27 00:11:50 +02:00
2020-09-07 21:21:54 +02:00
use std::net::SocketAddr;
use std::path::PathBuf;
2022-09-08 21:41:18 +02:00
use actix_cors::Cors;
2020-08-27 01:07:25 +02:00
use actix_web::{middleware, App, HttpServer};
use anyhow::Result;
2020-08-27 00:11:50 +02:00
use clap::{App as ClapApp, Arg};
use rand::{thread_rng, Rng};
use std::sync::Arc;
2022-10-23 15:59:10 +02:00
use tracing::{debug, info, warn};
2022-08-07 12:13:12 +02:00
use tracing_subscriber::filter::{EnvFilter, LevelFilter};
2020-08-27 01:07:25 +02:00
use upend::{
common::{build, get_static_dir},
2022-10-18 18:10:17 +02:00
config::UpEndConfig,
database::{
stores::{fs::FsStore, UpStore},
UpEndDatabase,
},
util::jobs::JobContainer,
};
use crate::util::exec::block_background;
2020-08-27 01:07:25 +02:00
mod routes;
2020-09-14 21:18:53 +02:00
mod util;
2020-08-27 00:11:50 +02:00
mod extractors;
mod previews;
fn main() -> Result<()> {
2022-08-07 12:13:12 +02:00
tracing_subscriber::fmt()
.with_env_filter(
EnvFilter::builder()
.with_default_directive(LevelFilter::INFO.into())
.from_env_lossy(),
)
.init();
2020-08-27 00:11:50 +02:00
let app = ClapApp::new("upend")
.version(build::PKG_VERSION)
2020-08-27 00:11:50 +02:00
.author("Tomáš Mládek <t@mldk.cz>")
.arg(Arg::with_name("DIRECTORY").required(true).index(1))
.arg(
Arg::with_name("BIND")
.long("bind")
.default_value("127.0.0.1:8093")
.help("address and port to bind the Web interface on")
.required(true),
2020-08-30 16:45:42 +02:00
)
2021-06-19 12:32:05 +02:00
.arg(
Arg::with_name("STORE_PATH")
.long("store")
2021-06-19 13:11:27 +02:00
.takes_value(true)
.help(r#"path to store ($VAULT_PATH by default)"#),
2021-06-19 12:32:05 +02:00
)
2020-08-30 16:45:42 +02:00
.arg(
Arg::with_name("NO_BROWSER")
.long("no-browser")
.help("Do not open web browser with the UI."),
2020-09-12 15:02:03 +02:00
)
2021-12-19 22:38:41 +01:00
.arg(
Arg::with_name("NO_DESKTOP")
.long("no-desktop")
.help("Disable desktop features (webbrowser, native file opening)"),
)
.arg(
Arg::with_name("TRUST_EXECUTABLES")
.long("trust-executables")
.help("Trust the vault and open local executable files."),
)
2021-10-19 22:23:46 +02:00
.arg(
Arg::with_name("NO_UI")
.long("no-ui")
.help("Do not serve the web UI."),
)
.arg(
Arg::with_name("NO_INITIAL_UPDATE")
.long("no-initial-update")
.help("Don't run a database update on start."),
)
2022-02-03 16:26:57 +01:00
.arg(
Arg::with_name("CLEAN")
.long("clean")
.help("Clean up temporary files (e.g. previews) on start."),
)
2020-09-12 15:02:03 +02:00
.arg(
Arg::with_name("REINITIALIZE")
.long("reinitialize")
.help("Delete and initialize database, if it exists already."),
)
.arg(
Arg::with_name("VAULT_NAME")
.takes_value(true)
.long("name")
.help("Name of the vault."),
)
.arg(
Arg::with_name("SECRET")
.takes_value(true)
.long("secret")
.env("UPEND_SECRET")
.help("Secret to use for authentication."),
)
.arg(
Arg::with_name("KEY")
.takes_value(true)
.long("key")
.env("UPEND_KEY")
.help("Authentication key users must supply."),
2022-10-23 12:53:33 +02:00
)
.arg(
Arg::with_name("ALLOW_HOST")
.takes_value(true)
.multiple(true)
.number_of_values(1)
.long("allow-host")
.help("Allowed host/domain name the API can serve."),
2020-08-27 00:11:50 +02:00
);
let matches = app.get_matches();
info!("Starting UpEnd {}...", build::PKG_VERSION);
let sys = actix::System::new("upend");
2020-08-27 00:11:50 +02:00
let job_container = JobContainer::new();
let vault_path = PathBuf::from(matches.value_of("DIRECTORY").unwrap());
2020-08-27 00:11:50 +02:00
let open_result = UpEndDatabase::open(&vault_path, matches.is_present("REINITIALIZE"))
.expect("failed to open database!");
2020-08-27 00:11:50 +02:00
let upend = Arc::new(open_result.db);
let store = Arc::new(Box::new(
FsStore::from_path(
matches
.value_of("STORE_PATH")
.map(PathBuf::from)
.unwrap_or_else(|| vault_path.clone()),
)
.unwrap(),
) as Box<dyn UpStore + Send + Sync>);
2020-08-27 00:11:50 +02:00
let ui_path = get_static_dir("webui");
if ui_path.is_err() {
warn!(
"Couldn't locate Web UI directory ({:?}), disabling...",
ui_path
);
2022-01-19 20:42:36 +01:00
}
let desktop_enabled = !matches.is_present("NO_DESKTOP");
let trust_executables = matches.is_present("TRUST_EXECUTABLES");
let ui_enabled = ui_path.is_ok() && !matches.is_present("NO_UI");
let browser_enabled = desktop_enabled && ui_enabled && !matches.is_present("NO_BROWSER");
2022-01-19 20:42:36 +01:00
let preview_path = upend.path.join("previews");
2021-12-27 12:40:02 +01:00
#[cfg(feature = "previews")]
let preview_store = Some(Arc::new(crate::previews::PreviewStore::new(
preview_path.clone(),
store.clone(),
)));
#[cfg(feature = "previews")]
let preview_pool = Some(Arc::new(
rayon::ThreadPoolBuilder::new()
.num_threads(num_cpus::get() / 2)
.build()
.unwrap(),
));
if matches.is_present("CLEAN") {
info!("Cleaning temporary directories...");
if preview_path.exists() {
std::fs::remove_dir_all(&preview_path).unwrap();
debug!("Removed {preview_path:?}");
} else {
debug!("No preview path exists, continuing...");
}
}
2022-02-03 16:26:57 +01:00
2021-12-27 12:40:02 +01:00
#[cfg(not(feature = "previews"))]
let preview_store = None;
#[cfg(not(feature = "previews"))]
let preview_pool = None;
2021-12-27 11:58:01 +01:00
let mut bind: SocketAddr = matches
2020-08-30 16:45:42 +02:00
.value_of("BIND")
.unwrap()
.parse()
.expect("Incorrect bind format.");
2020-08-27 00:11:50 +02:00
let secret = matches
.value_of("SECRET")
.map(String::from)
.unwrap_or_else(|| {
warn!("No secret supplied, generating one at random.");
thread_rng()
.sample_iter(&rand::distributions::Alphanumeric)
.take(32)
.map(char::from)
.collect()
});
let key = matches.value_of("KEY").map(String::from);
let state = routes::State {
upend: upend.clone(),
store,
job_container: job_container.clone(),
2021-12-27 12:40:02 +01:00
preview_store,
preview_pool,
2022-10-18 18:10:17 +02:00
config: UpEndConfig {
vault_name: Some(
matches
.value_of("VAULT_NAME")
.map(|s| s.to_string())
.unwrap_or_else(|| {
vault_path
.iter()
.last()
.unwrap()
.to_string_lossy()
.into_owned()
}),
),
desktop_enabled,
trust_executables,
2022-10-18 18:10:17 +02:00
secret,
key,
},
};
2020-08-27 00:11:50 +02:00
// Start HTTP server
2021-12-27 11:58:01 +01:00
let mut cnt = 0;
let ui_path = ui_path.ok();
2022-10-23 12:53:33 +02:00
let allowed_origins: Vec<_> = if let Some(matches) = matches.values_of("ALLOW_HOST") {
matches.map(String::from).collect()
} else {
vec![]
};
2021-12-27 11:58:01 +01:00
let server = loop {
let state = state.clone();
let ui_path = ui_path.clone();
2022-10-23 12:53:33 +02:00
let allowed_origins = allowed_origins.clone();
2021-12-27 11:58:01 +01:00
let server = HttpServer::new(move || {
2022-10-23 12:53:33 +02:00
let allowed_origins = allowed_origins.clone();
2022-09-08 21:41:18 +02:00
let cors = Cors::default()
.allowed_origin("http://localhost")
.allowed_origin_fn(|origin, _req_head| {
origin.as_bytes().starts_with(b"http://localhost:")
})
2022-10-23 12:53:33 +02:00
.allowed_origin_fn(move |origin, _req_head| {
allowed_origins
.iter()
.any(|allowed_origin| *allowed_origin == "*" || origin == allowed_origin)
})
2022-09-08 21:41:18 +02:00
.allow_any_method();
2021-12-27 11:58:01 +01:00
let app = App::new()
2022-09-08 21:41:18 +02:00
.wrap(cors)
2022-01-18 16:59:46 +01:00
.app_data(actix_web::web::PayloadConfig::new(4_294_967_296))
2021-12-27 11:58:01 +01:00
.data(state.clone())
.wrap(middleware::Logger::default().exclude("/api/jobs"))
.service(routes::login)
2021-12-27 11:58:01 +01:00
.service(routes::get_raw)
.service(routes::get_thumbnail)
.service(routes::get_query)
.service(routes::get_object)
.service(routes::put_object)
.service(routes::put_blob)
.service(routes::put_object_attribute)
2021-12-27 11:58:01 +01:00
.service(routes::delete_object)
2023-01-07 11:00:55 +01:00
.service(routes::get_address)
2022-01-04 21:58:23 +01:00
.service(routes::get_all_attributes)
2021-12-27 11:58:01 +01:00
.service(routes::api_refresh)
.service(routes::list_hier)
.service(routes::list_hier_roots)
.service(routes::store_info)
2021-12-27 11:58:01 +01:00
.service(routes::get_jobs)
.service(routes::get_info);
if ui_enabled {
if let Some(ui_path) = &ui_path {
return app
.service(actix_files::Files::new("/", ui_path).index_file("index.html"));
}
2021-12-27 11:58:01 +01:00
}
app
2021-12-27 11:58:01 +01:00
});
let bind_result = server.bind(&bind);
if let Ok(server) = bind_result {
break server;
} else {
warn!("Failed to bind at {:?}, trying next port number...", bind);
bind.set_port(bind.port() + 1);
}
2022-10-22 12:51:21 +02:00
if cnt > 32 {
2021-12-27 11:58:01 +01:00
panic!("Couldn't start server.")
2021-10-19 22:23:46 +02:00
} else {
2021-12-27 11:58:01 +01:00
cnt += 1;
2021-10-19 22:23:46 +02:00
}
2021-12-27 11:58:01 +01:00
};
info!("Starting server at: {}", &bind);
server.run();
2020-08-27 00:11:50 +02:00
if !matches.is_present("NO_INITIAL_UPDATE") {
info!("Running initial update...");
let initial = open_result.new;
2022-03-02 01:14:46 +01:00
block_background::<_, _, anyhow::Error>(move || {
let _ = state.store.update(&upend, job_container.clone(), initial);
let _ = extractors::extract_all(upend, state.store, job_container);
2022-03-02 01:14:46 +01:00
Ok(())
})
}
2021-12-19 20:09:44 +01:00
#[cfg(feature = "desktop")]
{
2022-01-19 20:42:36 +01:00
if browser_enabled && ui_enabled {
2021-12-19 20:09:44 +01:00
let ui_result = webbrowser::open(&format!("http://localhost:{}", bind.port()));
if ui_result.is_err() {
warn!("Could not open UI in browser!");
}
2020-08-30 16:45:42 +02:00
}
}
Ok(sys.run()?)
2020-08-27 00:11:50 +02:00
}