This is event-driven library(I should've named it as framework though) for writing reliable and scalable system.

At a high level, it provides a few major components.

A Tour of Event-Driven-Library

Event-Driven-Library consists of a number of modules that provide a range of functionality essential for implementing messagebus-like applications in Rust. In this section, we will take a brief tour, summarizing the major APIs and their uses.

Registering Command

Event-Driven-Library is great for writing applications and handlers that are extensible, and modularic.

In Event-Drieven Achitecture, Command is a request you are given from enduser whereby user

expects to get a return as a result of its processing. Handling Command may or may not result in event,

the result of which is not be directly seen by end user as it is side effect.

Therefore, you don't want to string along more than one handler for each Command.

Example

rust use event_driven_library::prelude::{init_command_handler,init_event_handler}; init_command_handler!( { Command1: CommandHandler1, Command2: CommandHandler2, Command3: CommandHandler3, Command4: CommandHandler4, } );

Registering Event

Event on the other hand, is a side effect of command processing. You can't predict how many transactions should be processed; for that reason, you have vector of events for each event.

Example

rust init_event_handler!( { Event1: [ EventHandler1, EventHandler2, EventHandler3 ], Event2: [ EventHandler4 => (mail_sender) ] } )

Dependency Injection

As you may have noticed in the example above command handler or event handler may have other dependencies other than message and Context(which will be covered later). In this case, You can simply register dependencies by putting attribute on top of free function.

Example

```rust

[dependency]

pub fn mail_sender() -> Box { ... } ```

This is great as you can take your mind off static nature of the language.

Command & Event

You can register any general struct with Command[Command] Derive Macro as follows:

```rust

[derive(Command)]

pub struct CustomCommand { pub id: i64, pub name: String, } ```

Likewise, you can do the same thing for Event:

```rust

[derive(Serialize, Deserialize, Clone, Message)]

[internally_notifiable]

pub struct YourCustomEvent { #[identifier] pub userid: UserId, pub randomuuid: Uuid, } ```

Note that use of internally_notifiable(or externally_notifiable) and identifier is MUST.

MessageBus

MessageBus[MessageBus] is central pillar which gets command and gets raised event from UnitOfWork and dispatch the event to the right handlers. As this is done only in framework side, the only way you can 'feel' the presence of messagebus is when you invoke it. Everything else is done magically.

Example

```rust

[derive(Command)]

pub struct TestCommand { // Test Command pub id: i64, pub name: String, }

async fn testfunc(){ let bus = MessageBus::new(commandhandler().await, event_handler().await) let command = TestCommand{id:1,name:"Migo".into()} let _ = bus.handle(command).await // Use of command } ```

Error from MessageBus

When command has not yet been regitered, it returns an error - BaseError::CommandNotFound Be mindful that bus does NOT return the result of event processing as in distributed event processing.

UnitOfWork

UnitOfWork is to a unit that manages atomic transaction.

Its executor is supposed to be shared with its sub type Repository.

commit, and rollback, is governed by this implementation.

When events are collected in Repository, you can collect them

automatically thanks to _commit_hook method.

Usage Pattern 1

```rust // Intialize Uow, start transaction let mut uow = UnitOfWork::, TExecutor>::new(context).await;

// Fetch data let mut aggregate = uow.repository().get(&cmd.aggregate_id).await?;

// Process business logic aggregate.processbusinesslogic(cmd)?;

// Apply changes uow.repository().update(&mut aggregate).await?;

// Commit transaction uow.commit::().await?; ```

Usage Pattern 2

Sometimes, you have to get the data from different aggregate and apply changes to different aggregates. For that, you can switch repository and use the following pattern.

```rust // Intialize Uow, start transaction let mut uow = UnitOfWork::, TExecutor>::new(context).await;

// Fetch data let mut aggregate = uow.repository().get(&cmd.aggregate_id).await?;

// Switch repo let mut uow = uow.switch_repository::>();

// Process business logic aggregate.processbusinesslogic(cmd)?;

// Apply changes uow.repository().update(&mut aggregate).await?;

// Commit transaction uow.commit::().await?; ```