env-extract

The env-extract crate provides convenient methods of extracting environment variables into different data types.

The crate includes two proc macros: ConfigStruct and EnvVar, which can be used to derive traits and implement automatic extraction of values from environment variables.

Usage

To use the EnvVar and ConfigStruct macros, add env-extract as a dependency in your Cargo.toml file:

toml [dependencies] env-extract = "0.1.22"

Then, in your Rust code, import the procedural macros by adding the following line:

rust use env_extract::{EnvVar, ConfigStruct};

ConfigStruct Macro

The ConfigStruct macro is applied to structs and derives the ConfigStruct trait. This trait allows for the easy retrieval of a struct from environment variables by pulling each field from the environment variables by name. The following types are valid for fields of a struct:

The ConfigStruct macro supports the following attributes on the fields in the struct:

EnvVar Macro

The EnvVar macro is applied to enums and implements the EnvVar trait, which provides a .get() method to retrieve a value of type T from an environment variable. The macro parses the environment variable to the enum type.

The EnvVar macro requires one of the following conditions to be met for the enum:

The EnvVar macro allows for the following attributes on the enum itself:

The EnvVar macro also supports the following attributes on the enum variants:

Example Usage

```rust use env_extract::{ConfigStruct, EnvVar};

[derive(Debug, EnvVar)]

[varname = "DATABASETYPE"]

[paniconinvalid]

[case(convert = "lowercase")]

enum DatabaseType { Postgres, Mysql, Sqlite, }

[derive(ConfigStruct, Debug)]

struct Config { dbhost: String, dbport: u16, use_tls: bool,

#[enumerated]
db_type: DatabaseType,

}

fn main() { std::env::setvar("DBHOST", "localhost"); std::env::setvar("DBPORT", "5432"); std::env::setvar("USETLS", "true"); std::env::setvar("DATABASETYPE", "postgres");

let config = Config::get();

assert_eq!(config.db_host, "localhost");
assert_eq!(config.db_port, 5432);
assert_eq!(config.use_tls, true);
assert!(matches!(config.db_type, DatabaseType::Postgres));

} ```

In the example above, the ConfigStruct macro is used to derive the ConfigStruct trait for the Config struct, enabling easy retrieval of values from environment variables. The EnvVar trait is derived for the DatabaseType enum using the EnvVar macro, allowing the extraction of the enum variant from the "DATABASE_TYPE" environment variable. The environment variable values are parsed and converted according to the specified case conversions. Finally, the Config struct is populated with values retrieved from environment variables, and assertions are used to validate the extracted values.