Asynchronous dependency injection for Rust.
This crate provides a dependency injection system that can be used to reactively reconfigure you're application while it's running. Reactive in this case refers to the application being reconfigured as-the-value changes, and not for other typical scenarios such as when it's being restarted.
Values are provided as [Stream]s of updates that can be subscribed to as necessary throughout your application.
Add async-injector
to your Cargo.toml
.
toml
[dependencies]
async-injector = "0.18.3"
In the following we'll showcase the injection of a fake Database
. The
idea here would be that if something about the database connection changes,
a new instance of Database
would be created and cause the application to
update.
This is available as the
fake_database
example:sh cargo run --example fake_database
```rust
struct Database;
async fn main() {
let injector = asyncinjector::Injector::new();
let (mut databasestream, mut database) = injector.stream::
// Insert the database dependency in a different task in the background.
let _ = tokio::spawn({
let injector = injector.clone();
async move {
injector.update(Database).await;
}
});
assert!(database.is_none());
// Every update to the stored type will be streamed, allowing you to
// react to it.
database = database_stream.recv().await;
assert!(database.is_some());
} ```
The [Injector] provides a structured broadcast system of updates, that can integrate cleanly into asynchronous contexts.
With a bit of glue, this means that your application can be reconfigured without restarting it. Providing a richer user experience.
In the previous section you might've noticed that the injected value was
solely discriminated by its type: Database
. In this example we'll show how
[Key] can be used to tag values of the same type under different names.
This can be useful when dealing with overly generic types like [String].
The tag used must be serializable with [serde]. It must also not use any
components which [cannot be hashed], like f32
and f64
.
This is available as the
ticker
example:sh cargo run --example ticker
```rust use async_injector::Key; use serde::Serialize; use std::{error::Error, time::Duration}; use tokio::time;
enum Tag { One, Two, }
async fn main() -> Result<(), Box
tokio::spawn({
let injector = injector.clone();
let one = one.clone();
async move {
let mut interval = time::interval(Duration::from_secs(1));
for i in 0u32.. {
interval.tick().await;
injector.update_key(&one, i).await;
}
}
});
tokio::spawn({
let injector = injector.clone();
let two = two.clone();
async move {
let mut interval = time::interval(Duration::from_secs(1));
for i in 0u32.. {
interval.tick().await;
injector.update_key(&two, i * 2).await;
}
}
});
let (mut one_stream, mut one) = injector.stream_key(one).await;
let (mut two_stream, mut two) = injector.stream_key(two).await;
println!("one: {:?}", one);
println!("two: {:?}", two);
loop {
tokio::select! {
update = one_stream.recv() => {
one = update;
println!("one: {:?}", one);
}
update = two_stream.recv() => {
two = update;
println!("two: {:?}", two);
}
}
}
} ```
Provider
deriveThe following showcases how the [Provider] derive can be used to conveniently wait for groups of dependencies to be supplied.
Below we're waiting for two database parameters to become updated: url
and
connection_limit
.
Note how the update happens in a background thread to simulate it being supplied "somewhere else". In the real world this could be caused by a multitude of things, like a configuration change in a frontend.
This is available as the
provider
example:sh cargo run --example provider
```rust use asyncinjector::{Injector, Key, Provider}; use serde::Serialize; use std::error::Error; use std::future::pending; use std::time::Duration; use tokio::task::yieldnow; use tokio::time::sleep;
/// Fake database connection.
struct Database { url: String, connection_limit: u32, }
/// Provider that describes how to construct a database.
pub enum Tag { DatabaseUrl, ConnectionLimit, Shutdown, }
/// A group of database params to wait for until they become available.
struct DatabaseParams { #[dependency(tag = "Tag::DatabaseUrl")] url: String, #[dependency(tag = "Tag::ConnectionLimit")] connection_limit: u32, }
async fn updatedbparams(
injector: Injector,
dburl: Key
for limit in 5..10 {
sleep(Duration::from_millis(100)).await;
injector.update_key(&connection_limit, limit).await;
}
// Yield to give the update a chance to propagate.
yield_now().await;
injector.update_key(&shutdown, true).await;
}
/// Fake service that runs for two seconds with a configured database. async fn service(database: Database) { println!("Starting new service with database: {:?}", database); pending::<()>().await; }
async fn main() -> Result<(), Box
let injector = Injector::new();
// Set up asynchronous task that updates the parameters in the background.
tokio::spawn(update_db_params(
injector.clone(),
db_url,
connection_limit,
shutdown.clone(),
));
let mut provider = DatabaseParams::provider(&injector).await?;
// Wait until database is configured.
let params = provider.wait().await;
let database = Database {
url: params.url,
connection_limit: params.connection_limit,
};
assert_eq!(
database,
Database {
url: String::from("example.com"),
connection_limit: 5
}
);
let (mut shutdown, is_shutdown) = injector.stream_key(&shutdown).await;
if is_shutdown == Some(true) {
return Ok(());
}
let fut = service(database);
tokio::pin!(fut);
loop {
tokio::select! {
_ = &mut fut => {
break;
}
is_shutdown = shutdown.recv() => {
if is_shutdown == Some(true) {
break;
}
}
params = provider.wait() => {
fut.set(service(Database {
url: params.url,
connection_limit: params.connection_limit,
}));
}
}
}
Ok(())
} ```