A common pattern with writting multithreaded / asynchronous code is to allow a thread / task to own a resource and to send messages through a channel to access it. e.g. From the tokio redis example: https://tokio.rs/tokio/tutorial/channels.
The pattern is along the lines of:
rx
Receiver.tx
SendersTo provide an ergonomic handle, I also often end up wrapper the tx
Sender and
duplicating all of the client functions. As shown below, this results in
a lot of boiler plate.
```rust ignore
// Generate the message enum
enum Command {
Get {
reponse: oneshot::Sender
// Create a channel and // Spawn a receiver task let (tx, mut rx) = mpsc::channel(32); tokio::spawn(async move { while let Some(cmd) = rx.recv().await { use Command::*;
match cmd {
Get { reponse, key } => {
let value = get_value(&key).await;
let _ = response.send(value);
}
}
}
// Send messages to the channel using an ergonic client
struct Handle {
tx: mpsc::Sender
impl Handle { async fn get(&self, key: &String) { let (resptx, resprx) = oneshot::channel(); let cmd = Command::Get { key: key.tostring(), resp: resptx, };
// Send the GET request
tx.send(cmd).await.unwrap();
// Await the response
let res = resp_rx.await;
println!("GOT = {:?}", res);
}
} ```
The boiler plate in question is the duplication in:
It should be possible to provide only one of the above parts code and derive the
others. This is where client-handle
comes in as it will derive the mesage
format based on a trait that the receiving code has to adere to.
In short, the code above could be replaced with the following:
```rust ignore use clienthandle::asynctokio_handle;
trait KvCommand { fn get(&self, key: String) -> String { self.get_value(&key) } } ```
And it can be used as follows:
```rust ignore // create a struct for the trait struct KvReceiver { /* data owned by the receiver */ };
impl KvCommand for KvReceiver { // Nothing to do here as the trait has default implemenations }
async fn main() { let receiver = KvReceiver; let handle = receiver.toasynchandle(); let result = handle.get("foo".to_string()).await; } ```
There are other examples in the code. For the full details of the code
generated, please see the unit tests in the client-handle-core
crate.
It was chosen to place the macro on the trait for the following reasons:
automock
to be used for testingPlease see the (notes)[./NOTES.md] file for details on resources used to create this proc macro.