A dependency injection library for Rust.
toml
[dependencies]
dilib = "0.2.0-alpha"
```rust use dilib::Container;
struct Printer; impl Printer { pub fn print(&self, s: &str) { println!("{}", s); } }
struct EnglishGreeting; impl EnglishGreeting { pub fn greet(&self) -> String { "Hello!".to_string() } }
struct SpanishGreeting; impl SpanishGreeting { pub fn greet(&self) -> String { "Hola!".to_string() } }
let mut container = Container::new(); container.addsingleton(Printer).unwrap(); container.addscoped(|| EnglishGreeting).unwrap(); container.addscopedwith_name("es", || SpanishGreeting).unwrap();
let printer = container.get::
printer.print(&en.greet()); printer.print(&es.greet()); ```
The container is the main storage for the provides,
it stores 2 types of providers:
- Scoped
: provides a new instance every time it is requested
- Singleton
: provides a single instance
All this provides can be named or unnamed, using the
methods that ends with with_name(...)
.
The scoped providers provide a new instance every time they are requested.
```rust use dilib::Container;
let mut container = Container::new(); container.add_scoped(|| String::from("Apple Pie")).unwrap();
let s = container.get::
The singleton providers provide a single instance.
```rust use dilib::Container; use std::sync::Mutex;
let mut container = Container::new(); container.add_singleton(Mutex::new(0)).unwrap();
{
let c1 = container.get::
let c2 = container.get::
The Inject
trait provide a way to construct a type using the
providers of the container.
To add a type that implements Inject
to the container,
you use the add_deps
methods, this add the type as a Scoped
provider.
```rust use std::sync::{Mutex, atomic::AtomicUsize}; use dilib::{Container, Inject};
struct IdGenerator(AtomicUsize); impl IdGenerator { pub fn next(&self) -> usize { 1 + self.0.fetch_add(1, std::sync::atomic::Ordering::SeqCst) } }
struct Fruit { id: usize, tag: String }
impl Inject for Fruit {
fn inject(container: &Container) -> Self {
let generator = container.get::
let mut container = Container::new();
container.addsingleton(IdGenerator(AtomicUsize::new(0))).unwrap();
container.addscopedwithname("fruit", || String::from("b18ap31")).unwrap();
container.add_deps::
let f1 = container.get::
asserteq!(f1.id, 1); asserteq!(f1.tag, "b18ap31");
asserteq!(f2.id, 2); asserteq!(f2.tag, "b18ap31"); ```
Instead of adding a type directly to the container
you can bind a trait to its implementation using the macros:
- add_scoped_trait!(container, name, trait => impl)
- add_singleton_trait!(container, name, trait => impl)
- add_scoped_trait!(container, name, trait @ Inject)
- add_singleton_trait!(container, name, trait @ Inject)
The name
is optional.
And you can get the values back using:
- get_scoped_trait!(container, name, trait)
- get_singleton_trait!(container, name, trait)
- get_resolved_trait(container, name, trait)
The name
is also optional.
```rust use dilib::{ Container, addscopedtrait, addsingletontrait, getresolvedtrait, };
trait Discount { fn get_discount(&self) -> f32; }
trait Fruit { fn name(&self) -> &str; fn price(&self) -> f32; }
struct TenPercentDiscount; impl Discount for TenPercentDiscount { fn get_discount(&self) -> f32 { 0.1 } }
struct Apple; struct Orange;
impl Fruit for Apple { fn name(&self) -> &str { "Apple" }
fn price(&self) -> f32 { 2.0 } }
impl Fruit for Orange { fn name(&self) -> &str { "Orange" }
fn price(&self) -> f32 { 1.7 } }
let mut container = Container::new(); addsingletontrait!(container, Discount => TenPercentDiscount).unwrap(); addscopedtrait!(container, "apple", Fruit => Apple).unwrap(); addscopedtrait!(container, "orange", Fruit => Orange).unwrap();
// All types are returned as Box<dyn Trait>
let discount = getresolvedtrait!(container, Discount).unwrap();
let apple = getresolvedtrait!(container, Fruit, "apple").unwrap();
let orange = getresolvedtrait!(container, Fruit, "orange").unwrap();
asserteq!(discount.getdiscount(), 0.1);
asserteq!(apple.name(), "Apple"); asserteq!(apple.price(), 2.0);
asserteq!(orange.name(), "Orange"); asserteq!(orange.price(), 1.7); ```
There are 3 ways to retrieve a value from the container:
- get
- get_scoped
- get_singleton
And it named variants:
- get_with_name
- get_scoped_with_name
- get_singleton_with_name
get_scoped
and get_singleton
are self-explanatory, they get
a value from a scoped
or singleton
provider.
But get
can get any scoped
and singleton
value,
the difference is that get
returns a Resolved<T>
and the others returns a T
or Arc<T>
for singletons.
Resolved<T>
is just an enum for a Scoped(T)
and Singleton(Arc<T>)
where you can convert it back using into_scoped
or into_singleton
,
the advantage of get is that it implements Deref
to use the value and its just easier
to call get
.
This requires the
derive
feature.
Inject is implemented for all types that implement Default
.
and can be used with #[derive]
.
```rust use dilib::{Singleton, Inject, Container}; use dilib_derive::*;
struct Apple {
// Singleton is an alias for Arc
let mut container = Container::new();
container.addsingletonwithname("apple", String::from("FRUITAPPLE")).unwrap();
container.addscopedwithname("appleprice", || 2.0f32).unwrap();
container.adddeps::
let apple = container.get::
This requires the
global
feature.
dilib
also offers a global container so you don't require
to declare your own container, and it's easier to access the container
with macros like get_scoped!
, get_singleton!
or just get_resolved!
,
you can also access the container directly using get_container()
.
```rust use dilib::{global::init_container, resolve};
initcontainer(|container| { container.addscoped(|| String::from("Orange")).unwrap(); container.addsingletonwithname("num", 123i32).unwrap(); }).expect("unable to initialize the container");
let orange = resolve!(String).unwrap(); let num = resolve!(i32, "num").unwrap();
asserteq!(orange.asref(), "Orange"); assert_eq!(*num, 123); ```
This requires the
unstable_provide
feature.
The feature unstable_provide
make possible to have dependency
injection more similar to other frameworks like C# EF Core
or Java Sprint
.
To allow run code before main we use the the ctor crate, which have been tested in several OS, so depending on where you run your application this feature may not be unstable for your use case.
You can use the #[provide]
macro over any function or type that implements
**Inject
to register it to the global container.
** Any type that implements Default
also implements Inject
.
```rust use std::sync::RwLock; use dilib::global::init_container; use dilib::{resolve, Singleton, Inject, provide};
struct User { name: &'static str, email: &'static str, }
trait Repository
struct Db(RwLock
struct UserRepository(Singleton
fn get_all(&self) -> Vec<User> {
self.0.0.read().unwrap().clone()
}
}
// Initialize the container to register the providers initcontainer(|container| { // Add additional providers }).unwrap();
let userrepository = resolve!(trait Repository
let users = userrepository.getall(); let db = resolve!(Db).unwrap(); println!("Total users: {}", db.0.read().unwrap().len()); println!("{:#?}", users); ```