fluid-let implements dynamically-scoped variables.
Dynamic or fluid variables are a handy way to define global configuration values. They come from the Lisp family of languages where they are relatively popular for this use case.
Normally the configuration can be kept locally: as a struct field, or passed via a method argument. However, sometimes that's not possible (or feasible) and you need a global configuration. Dynamic variable binding provides a convenient way to access and modify global configuration variables.
A classical example would be
configuration of the Debug
output format.
Suppose you have a Hash
type for SHA-256 hashes.
Normally you're not really interested in all 32 bytes
of the hash value for debugging purposes,
thus the Debug
implementation outputs a truncated value:
Hash(e3b0c442...)
But what if at some places you need a different precision? (Or three of them?) The usual approach would be to introduce a wrapper type:
rust
pub struct DifferentHash(Hash);
for which you implement Debug
differently.
However, that's not very convenient
and sometimes not even possible
as you need to use the Hash
type
or do not have access to its internals.
Dynamically-scoped variables provide an alternative. First you define the configuration value:
rust
fluid_let!(pub static DEBUG_FULL_HASH: bool);
Then use it in your Debug
implementation:
```rust impl fmt::Debug for Hash { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { let full = DEBUGFULLHASH.get(|current| current.unwrap_or(false));
write!("Hash(")?;
if full {
for byte in self.value[..] {
write!("{:02X}", byte);
}
} else {
for byte in self.value[..8] {
write!("{:02X}", byte);
}
write!("...")?;
}
write!(")")
}
} ```
Now your users can configure the truncation dynamically:
rust
DEBUG_FULL_HASH.set(true, || {
//
// Code that requires full precision of hashes
//
});
If they do not configure anything then default settings will be used.
The code is licensed under MIT license (see LICENSE).