iowo/crates/app/src/config.rs

94 lines
2.7 KiB
Rust
Raw Normal View History

2024-01-15 08:03:55 +00:00
use clap::Parser;
2024-01-12 08:36:30 +00:00
use self::{
cli::Args,
config_file::{find_config_file, Configs},
};
2024-01-12 08:36:30 +00:00
2024-01-15 08:03:55 +00:00
mod cli;
mod config_file;
2024-01-12 08:36:30 +00:00
2024-01-15 08:03:55 +00:00
/// this struct may hold all configuration
pub struct Config {
pub startup_msg: bool,
2024-01-12 08:36:30 +00:00
}
2024-01-15 08:03:55 +00:00
impl Config {
2024-01-19 08:51:48 +00:00
/// Get the configs from all possible places (args, file, env...)
2024-01-19 07:54:36 +00:00
pub fn read() -> Self {
2024-01-15 08:03:55 +00:00
let args = Args::parse();
let config_path = if let Some(config_path) = args.config_path {
2024-01-19 07:54:36 +00:00
Ok(config_path)
} else {
2024-01-19 07:54:36 +00:00
find_config_file()
};
2024-01-12 08:36:30 +00:00
2024-01-19 08:51:48 +00:00
// try to read a maybe existing config file
2024-01-19 07:54:36 +00:00
let file_config = if let Ok(config_path) = config_path {
let file_config = Configs::read(config_path);
match file_config {
Ok(c) => Some(c),
Err(e) => {
eprintln!("Config error: {e:?}");
eprintln!("Proceeding with defaults or cli args...");
None
}
}
} else {
None
};
if let Some(file_config) = file_config {
Self {
// this is negated because to an outward api, the negative is more intuitive,
// while in the source the other way around is more intuitive
startup_msg: !(args.no_startup_message || file_config.no_startup_message),
}
} else {
Self {
startup_msg: !args.no_startup_message,
}
}
}
}
pub mod error {
2024-01-19 08:51:48 +00:00
/// Errors that can occur when reading configs
#[derive(Debug)]
pub enum ConfigError {
2024-01-19 08:51:48 +00:00
/// The config dir doesn't exist
NoConfigDir,
2024-01-19 08:51:48 +00:00
/// We didn't find a config file in the config dir
NoConfigFileFound,
2024-01-19 08:51:48 +00:00
/// An io error happened while reading/opening it!
IoError(std::io::Error),
2024-01-19 08:51:48 +00:00
/// The given extension (via an argument) isn't known.
///
/// Occurs if the extension is neither `.json` nor `.ron` (including if there is no extension, in which case this will be `None`).
UnknownExtension(Option<String>),
2024-01-19 08:51:48 +00:00
/// Wrapper around an `Error` from `serde_json`
SerdeJsonError(serde_json::Error),
2024-01-19 08:51:48 +00:00
/// Wrapper around a `SpannedError` from `ron`
SerdeRonError(ron::error::SpannedError),
}
impl From<std::io::Error> for ConfigError {
fn from(value: std::io::Error) -> Self {
Self::IoError(value)
}
}
impl From<serde_json::Error> for ConfigError {
fn from(value: serde_json::Error) -> Self {
Self::SerdeJsonError(value)
}
}
impl From<ron::error::SpannedError> for ConfigError {
fn from(value: ron::error::SpannedError) -> Self {
Self::SerdeRonError(value)
2024-01-12 08:36:30 +00:00
}
}
}