Autowired

crates.io docs.rs

Rust dependency injection project, inspired by Spring IOC.

Add Dependency

toml [dependencies] autowired="0.1"

Usage

Just derive your struct with the marco Component, you can use the singleton component everywhere.

```rust

[derive(Default, Component)]

struct Bar { name: String, age: u32, }

fn main() { // central registration in the beginning of the program setupsubmittedbeans();

// create `bar` via Default::default
let bar: Autowired<Bar> = Autowired::new();

assert_eq!(String::default(), bar.name);
assert_eq!(u32::default(), bar.age);

} ```

Define custom component initialization logic

```rust struct Goo { pub list: Vec }

[autowired::bean]

fn buildgoo() -> Goo { Goo { list: vec!["hello".tostring()] } }

fn main() { // central registration in the beginning of the program setupsubmittedbeans();

let goo = Autowired::<Goo>::new();
assert_eq!("hello", goo.list[0])

} ```

Lazy components

By default, components are registered with setup_submitted_beans. If you need to register components lazily, you can refer to this example:

```rust use std::sync::Arc; use autowired::{ LazyComponent, setupsubmittedbeans, bean, Autowired};

[allow(dead_code)]

[derive(Default, LazyComponent)]

struct Bar { name: Arc, age: u32, }

[allow(dead_code)]

struct Goo { pub list: Vec }

[bean(lazy)]

fn buildgoo() -> Goo { Goo { list: vec!["hello".tostring()] } }

[test]

fn lazy() { setupsubmittedbeans();

assert!(!autowired::exist_component::<Bar>());
assert!(!autowired::exist_component::<Goo>());

let bar = Autowired::<Bar>::new();
assert!( bar.name.is_empty());

let goo = Autowired::<Goo>::new();
assert_eq!("hello", goo.list[0]);

assert!(autowired::exist_component::<Bar>());
assert!(autowired::exist_component::<Goo>());

} ```

Option components

Functional bean constructor can return Option with attribute #[bean(option)].

if return value is None, this bean will not be submitted.

if you like, this feature can work with lazy components, #[bean(option, lazy)].

```rust

[allow(dead_code)]

struct Bar { name: String, }

/// return None, this bean will not be submitted

[bean(option)]

fn buildbarnone() -> Option { None }

[allow(dead_code)]

struct Goo { pub list: Vec, }

[bean(option)]

fn buildgoosome() -> Option { Some(Goo { list: vec!["hello".to_string()] }) }

[test]

fn option() { setupsubmittedbeans();

assert!(!autowired::exist_component::<Bar>());
assert!(autowired::exist_component::<Goo>());

let goo = Autowired::<Goo>::new();
assert_eq!("hello", goo.list[0]);

}

```