use std::env;
use std::fs::File;
use std::str::FromStr;
use abscissa_core::{
application::{self, AppCell},
config::{self, CfgCell},
terminal::{component::Terminal, ColorChoice},
Application, Component, FrameworkError, FrameworkErrorKind, StandardPaths,
};
use anyhow::Result;
use simplelog::{CombinedLogger, LevelFilter, TermLogger, TerminalMode, WriteLogger};
use crate::{commands::EntryPoint, config::RusticConfig};
pub static RUSTIC_APP: AppCell<RusticApp> = AppCell::new();
#[derive(Debug)]
pub struct RusticApp {
config: CfgCell<RusticConfig>,
state: application::State<Self>,
}
impl Default for RusticApp {
fn default() -> Self {
Self {
config: CfgCell::default(),
state: application::State::default(),
}
}
}
impl Application for RusticApp {
type Cmd = EntryPoint;
type Cfg = RusticConfig;
type Paths = StandardPaths;
fn config(&self) -> config::Reader<RusticConfig> {
self.config.read()
}
fn state(&self) -> &application::State<Self> {
&self.state
}
fn framework_components(
&mut self,
command: &Self::Cmd,
) -> Result<Vec<Box<dyn Component<Self>>>, FrameworkError> {
let terminal = Terminal::new(self.term_colors(command));
Ok(vec![Box::new(terminal)])
}
fn register_components(&mut self, command: &Self::Cmd) -> Result<(), FrameworkError> {
let framework_components = self.framework_components(command)?;
let mut app_components = self.state.components_mut();
app_components.register(framework_components)
}
fn after_config(&mut self, config: Self::Cfg) -> Result<(), FrameworkError> {
self.state.components_mut().after_config(&config)?;
for (env, value) in config.global.env.iter() {
env::set_var(env, value);
}
let level_filter = match &config.global.log_level {
Some(level) => LevelFilter::from_str(level)
.map_err(|e| FrameworkErrorKind::ConfigError.context(e))?,
None => LevelFilter::Info,
};
match &config.global.log_file {
None => TermLogger::init(
level_filter,
simplelog::ConfigBuilder::new()
.set_time_level(LevelFilter::Off)
.build(),
TerminalMode::Stderr,
ColorChoice::Auto,
)
.map_err(|e| FrameworkErrorKind::ConfigError.context(e))?,
Some(file) => CombinedLogger::init(vec![
TermLogger::new(
level_filter.min(LevelFilter::Warn),
simplelog::ConfigBuilder::new()
.set_time_level(LevelFilter::Off)
.build(),
TerminalMode::Stderr,
ColorChoice::Auto,
),
WriteLogger::new(
level_filter,
simplelog::Config::default(),
File::options().create(true).append(true).open(file)?,
),
])
.map_err(|e| FrameworkErrorKind::ConfigError.context(e))?,
}
self.config.set_once(config);
Ok(())
}
}