Crate to build config from environment, command line and files
Motivation
Non-runtime data generally comes to a project from command line, environment and configuration files.\ Sometimes it comes from each of the sources simultaneously, so all of them must be handled.\ None of the popular crates (including clap and config) can't handle all 3 together, so this crate has been created to solve this problem.
The Core of the crate is an attribute-macro #[config]
. \
Annotate structure with this macro and a field of it with the source
attribute,
so the field will be searched in one of the provided sources. The sources can be provided by using the following nested source
attributes:
1. clap
: command line argument
2. env
: environment variable
3. config
: configuration file key
4. default
: default value
Example ```rust use config_manager::config;
struct ApplicationConfig {
#[source(clap(long, short = 'p'), env = "APPMODELPATH", config)]
modelpath: String,
#[source(env, config, default = 0)]
predictiondelay: u64,
}
``
In the example above, to set the value of the
modelpathfield, a user may provide:
- command line argument
--modelpath
- environment variable named
modelpath
- configuration file containing field
modelpath`
If the value is found in multiple provided sources, the value will be assigned according to the provided order
(the order for the model_path
field is clap -> env -> config
and env -> config -> default
for the prediction_delay
). \
If none of them (including the default value) isn't found, the program returns error MissingArgument
.
Note: the default value is always assigned last.
For further understanding of project syntax and features, it is recommended to visit Cookbook.
```rust use std::collections::HashMap;
use config_manager::{config, ConfigInit};
const SUFFIX: &str = "_env";
clap(version, author),
env_prefix = "demo",
file(
format = "toml",
clap(long = "config", short = 'c', help = "path to configuration file"),
env = "demo_config",
default = "./config.toml"
)
)]
struct MethodConfig {
#[source(clap(long, short))]
a: i32,
#[source(
env(initfrom = "&format!(\"b{}\", SUFFIX)"),
default = "\"abc\".tostring()"
)]
b: String,
#[source(config = "bpm")]
c: i32,
#[source(default = "HashMap::new()")]
d: HashMap
fn main() { dbg!(MethodConfig::parse().unwrap()); }
Run
console
cargo run --package examples --bin demo -- --config="examples/config.toml" --a=5
Result must be:
console
[examples/src/demo.rs:34] &*CFG = MethodConfig {
a: 5,
b: "qwerty",
c: 165,
d: {},
}
```