1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
|
// Copyleft (ɔ) 2021-2021 The Whirlsplash Collective
// SPDX-License-Identifier: GPL-3.0-only
#[macro_use]
extern crate log;
use std::error::Error;
use structopt::clap::Shell;
use whirl::{
api::API,
cli::cli,
config::Config,
server::{
distributor::Distributor,
hub::Hub,
server::{
Server,
ServerType::{AutoServer, RoomServer},
},
},
};
#[tokio::main]
async fn main() -> Result<(), Box<dyn Error>> {
// Setup CLI
let matches = cli().get_matches();
// Set logging level
let mut log_level = "whirl=error,whirl=warn,whirl=trace".to_string();
if matches.is_present("debug") || Config::get()?.whirlsplash.log_level >= 2 {
log_level += ",whirl=debug";
}
if matches.is_present("trace") || Config::get()?.whirlsplash.log_level >= 3 {
log_level += ",whirl=trace";
}
std::env::set_var("RUST_LOG", log_level);
// Set database URL
std::env::set_var("DATABASE_URL", "sqlite:whirl.db");
// Setup logging
dotenv::dotenv().ok();
pretty_env_logger::init();
// Handle CLI command
if matches.is_present("run") {
run().await.unwrap();
} else if let Some(cmd) = matches.subcommand_matches("config") {
if cmd.is_present("show") {
println!("{:#?}", Config::get()?);
}
} else if let Some(shell) = matches.subcommand_matches("completions") {
if shell.is_present("powershell") {
cli().gen_completions(env!("CARGO_PKG_NAME"), Shell::PowerShell, ".");
} else if shell.is_present("bash") {
cli().gen_completions(env!("CARGO_PKG_NAME"), Shell::Bash, ".");
} else if shell.is_present("elvish") {
cli().gen_completions(env!("CARGO_PKG_NAME"), Shell::Elvish, ".");
} else if shell.is_present("zsh") {
cli().gen_completions(env!("CARGO_PKG_NAME"), Shell::Zsh, ".");
} else if shell.is_present("fish") {
cli().gen_completions(env!("CARGO_PKG_NAME"), Shell::Fish, ".");
}
debug!("generated shell completions");
}
Ok(())
}
async fn run() -> Result<(), Box<dyn Error>> {
let threads = vec![
tokio::spawn(async move {
let _ = Distributor::listen(
&*format!("0.0.0.0:{}", Config::get().unwrap().distributor.port),
AutoServer,
)
.await;
}),
tokio::spawn(async move {
let _ = Hub::listen(
&*format!("0.0.0.0:{}", Config::get().unwrap().hub.port),
RoomServer,
)
.await;
}),
tokio::spawn(async move {
let _ = API::listen();
}),
];
for thread in threads {
let _ = thread.await;
}
Ok(())
}
|