7 unstable releases
Uses new Rust 2024
new 0.12.0 | Apr 27, 2025 |
---|---|
0.12.0-rc.3 | Feb 22, 2025 |
0.10.0 | Apr 15, 2024 |
0.9.0 | Mar 4, 2024 |
0.8.0 | Jan 30, 2022 |
#12 in #caller
469 downloads per month
Used in hannibal
15KB
86 lines
Hannibal
a small actor library
Motivation
In async Rust you find yourself often spawning tasks and instantiating channels to communicate between them. This can be cumbersome in larger projects and become complicated once you want to support multiple message types. You also end up handling the lifecycle of your tasks and channels manually again and again. See simple-channels-only.rs.
An actor is a task that encapsulates its own state and can receive messages. You can pass around strong and weak Addresses to the concret actor type.
Features
- typed messages, with responses
- each actor runs in its own task
- async message exchange via addresses, senders and callers
- weak and strong addresses, senders and callers
- services and brokers
- intervals and timeouts
- actor hierarchies with children
- configurable channels
Examples
Addresses
Create a struct that becomes your actor and holds its state.
It can receive Greet
and Add
messages.
/// MyActor is a struct that will be turned into an actor
struct MyActor(&'static str);
#[message]
struct Greet(&'static str);
#[message(response = i32)]
struct Add(i32, i32);
impl Actor for MyActor {}
/// just print a greeting
impl Handler<Greet> for MyActor {
async fn handle(&mut self, _ctx: &mut Context<Self>, msg: Greet) {
println!(
"[Actor {me}] Hello {you}, my name is {me}",
me = self.0,
you = msg.0,
);
}
}
/// handle the addition of two numbers and return the result
impl Handler<Add> for MyActor {
async fn handle(&mut self, _ctx: &mut Context<Self>, msg: Add) -> i32 {
msg.0 + msg.1
}
}
// spawn the actor and get its address
let mut addr = MyActor("Caesar").spawn();
// send a message without a response
addr.send(Greet("Hannibal")).await.unwrap();
// expecting a response
let addition = addr.call(Add(1, 2)).await;
println!("The Actor Calculated: {:?}", addition);
see simple.rs
Senders and Callers
You can also address actors by their message type, not their concrete type. This is especially useful when you want to send a message to an actor without knowing its concrete type bacause there might be multiple actors that can handle the same message type.
let sender = addr.sender::<Greet>();
let caller = addr.caller::<Add>();
// send a message without a response
sender.send(Greet("Hannibal")).await.unwrap();
// expecting a response
let addition = caller.call(Add(1, 2)).await;
println!("The Actor Calculated: {:?}", addition);
see simple.rs
A Sender
is a kind of Arc
that allows you to send messages to an actor without knowing its concrete type. A Caller
allows you to send messages to an actor and receive a response.
Both of them have weak equivalents too.
Handling Streams
Often you need to handle streams of messages, e.g. from a TCP connections or websockets. Actors can be spawned "on a stream". This way their lifecycle is tied to the stream's lifecycle.
#[derive(Default, Actor)]
struct FizzBuzzer(&'static str);
impl StreamHandler<i32> for FizzBuzzer {
async fn handle(&mut self, _ctx: &mut Context<Self>, msg: i32)
match (msg % 3 == 0, msg % 5 == 0) {
(true, true) => self.0 = "fizzbuzz",
(true, false) => self.0 = "fizz",
(false, true) => self.0 = "buzz",
_ => {}
}
}
}
#[tokio::main]
async fn main() {
// just imagine this is a websocket stream
let num_stream = futures::stream::iter(1..30);
let addr = hannibal::build(FizzBuzzer("Caesar"))
.on_stream(num_stream)
.spawn();
// The actor terminates once the stream is exhausted.
addr.await.unwrap();
}
see stream.rs
Services
Services are actors that can be accessed globally via a registry.
This is useful for shared resources like databases or caches.
You do not need to have an Addr
to the service,
you simply access it via the registry.
Services are started on demand.
#[derive(Debug, Default, Actor, Service)]
struct TimerService {}
#[message(response = String)]
struct Retrieve;
impl Handler<Retrieve> for TimerService {
async fn handle(&mut self, _: &mut Context<Self>, Retrieve: Retrieve) -> String {
format!("{:?}", std::time::Instant::now())
}
}
let result = TimerService::from_registry()
.await
.call(Retrieve)
.await
.unwrap();
println!("retrieved: {:?}", result);
see time-service.rs (or storage-service.rs)
In this example, StorageService
is a globally accessible service that stores key-value pairs. You can send messages to store and retrieve values from anywhere in your application.
Brokers
Brokers are services that can be used to broadcast messages to multiple actors.
#[derive(Clone, Message)]
struct Topic1(u32);
#[derive(Debug, Default, Message)]
struct Subscribing(Vec<u32>);
impl Actor for Subscribing {
async fn started(&mut self, ctx: &mut Context<Self>) -> DynResult<()> {
ctx.subscribe::<Topic1>().await?;
Ok(())
}
}
impl Handler<Topic1> for Subscribing {
async fn handle(&mut self, _ctx: &mut Context<Self>, msg: Topic1) {
self.0.push(msg.0);
}
}
let subscriber1 = Subscribing::default().spawn_owning();
let subscriber2 = Subscribing::default().spawn_owning();
Broker::from_registry()
.await
.publish(Topic1(42))
.await
.unwrap();
Broker::publish(Topic1(23)).await.unwrap();
let value1 = subscriber1.stop_and_join().unwrap().await.unwrap();
let value2 = subscriber2.stop_and_join().unwrap().await.unwrap();
println!("Subscriber 1 received: {:?}", value1);
println!("Subscriber 2 received: {:?}", value2);
Ok(())
see broker.rs
Intervals and Timers
In order to do execute actions regularly or after a certain period of time, actors can start intervals that send themselves messages.
struct MyActor(u8);
#[message]
struct Stop;
impl Actor for MyActor {
async fn started(&mut self, ctx: &mut Context<Self>) -> DynResult<()> {
println!("[Actor] started");
ctx.interval((), Duration::from_secs(1));
ctx.delayed_send(|| Stop, Duration::from_secs(5));
Ok(())
}
async fn stopped(&mut self, _ctx: &mut Context<Self>) {
println!("[Actor] stopped");
}
}
impl Handler<()> for MyActor {
async fn handle(&mut self, _ctx: &mut Context<Self>, _msg: ()) {
self.0 += 1;
println!("[Actor] received interval message {}", self.0);
}
}
impl Handler<Stop> for MyActor {
async fn handle(&mut self, ctx: &mut Context<Self>, _msg: Stop) {
println!("[Actor] received stop message");
ctx.stop().unwrap();
}
}
#[hannibal::main]
async fn main() {
MyActor(0).spawn().await.unwrap();
}
see intervals.rs
Builders
You can configure certain aspects of an actor before starting it. This includes
- should use bounded or unbounded channels?
- should it be restartable?
- should recreate itself from
Default
when being restarted - should it enfore timeouts when handling messages?
- should it fail or continue if timeouts are exceeded?
see the documentation of build() for more examples.
Owning Addresses
If you should need to retain the ownership to the instance of your actor object you can hold an OwningAddr
.
This yields the its content when stopped.
If you find a good usecase for this outside of testing, feel free to drop me a message to let me know 😜.
New since 0.12
Hannibal until v0.10 was a fork of xactor. Since 0.12 it is a complete rewrite from scratch, indicated by skipping versions 0.11 entirely. The rewrite with the following features:
- Modern Rust: no more async-trait, no more once_cell
- simpler but more explicit errors
- no more anyhow, but more explicit reasons when the actor fails
- Strong and Weak Senders and Callers (as in actix)
- weak and strong callers and senders can be created from weak and strong addresses
- Exchangeable Channel Implementation
- included: bounded and unbounded
- Streams are Handled by launching an actor together with a stream.
- Avoids extra tasks and simplifies the logic. The actor lives only as long as the stream.
- Actor trait only brings methods that you should implement (better "implement missing members" behavior)
- derive macros for
Actor
,Service
andMessage
- Owning Addresses
- allows returning actor content after stop
- Builder
- Timeouts
Contribution
Any help in form of descriptive and friendly issues or comprehensive pull requests are welcome!
Unless you explicitly state otherwise, any contribution intentionally submitted for inclusion in hannibal by you, as defined in the Apache-2.0 license, shall be dual licensed as above, without any additional terms or conditions.
Conventions
The Changelog of this library is generated from its commit log, there any commit message must conform with https://www.conventionalcommits.org/en/v1.0.0/. For simplicity you could make your commits with convco.
Dependencies
~200–630KB
~15K SLoC