1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206
use crate::{err::Error, rctx::RCtxState, server::InnerMsgType};
/// Representation of a clonable client object.
///
/// Each instantiation of a `Client` object is itself an isolated client with
/// regards to the server context. By cloning a client a new independent
/// client is created. ("Independent" here meaning that it is still tied to
/// the same server object, but the new client can be passed to a separate
/// thread and can independently make calls to the server).
#[repr(transparent)]
pub struct Client<P, S, R, E>(
pub(crate) sigq::Pusher<InnerMsgType<P, S, R, E>>
);
impl<P, S, R, E> Client<P, S, R, E>
where
P: 'static + Send,
R: 'static + Send,
E: 'static + Send
{
/// Transmit a uni-directional message to the server end-point.
pub fn post(&self, msg: P) -> Result<(), Error<E>> {
self
.0
.push(InnerMsgType::Put(msg))
.map_err(|_| Error::ServerDisappeared)?;
Ok(())
}
/// Send a message to the server, wait for a reply, and return the reply.
///
/// A complete round-trip (the message is delivered to the server, and the
/// server sends a reply) must complete before this function returns
/// success.
///
/// This method is _currently_ reentrant: It is safe to use share a single
/// `Client` among multiple threads. _This may change in the future_; it's
/// recommended to not rely on this. The recommended way to send messages to
/// a server from multiple threads is to clone the `Client` and assign one
/// separate `Client` to each thread.
///
/// # Return
/// On success the function will return `Ok(msg)`.
///
/// If the linked server object has been released, or is released while the
/// message is in the server's queue, `Err(Error:ServerDisappeared)` will be
/// returned.
///
/// If the server never replied to the message and the reply context was
/// dropped `Err(Error::NoReply)` will be returned.
///
/// If an application specific error occurs it will be returned as a
/// `Err(Error::App(E))`, where `E` is the error type used when creating the
/// [`channel`](crate::channel).
pub fn req(&self, out: S) -> Result<R, Error<E>> {
// Create a per-call reply context.
// This context could be created when the Client object is being created
// and stored in the context, and thus be reused for reach client call.
// One side-effect is that some of the state semantics becomes more
// complicated.
// The central repo has such an implementation checked in, but it seems to
// have some more corner cases that aren't properly handled.
let (sctx, wctx) = swctx::mkpair();
self
.0
.push(InnerMsgType::Request(out, sctx))
.map_err(|_| Error::ServerDisappeared)?;
Ok(wctx.wait()?)
}
/// Issue a request, immediately returning a context that is used to wait for
/// the server's reply.
///
/// The `_async` naming is slightly misleading -- this method isn't an
/// `async` in a language/`Future` sense, but rather it doesn't block and
/// wait for a reply before returning. Instead it returns a [`WaitReply`]
/// object that is used to wait for the reply.
///
/// This can be useful (in place of [`req()`](Client::req) or
/// [`areq()`](Client::areq()) methods) if the caller knows that the server
/// will take some time to respond to the request and the caller has other
/// tasks it can perform in the meantime.
///
/// ```
/// use std::thread;
///
/// use ump_ng::{channel, MsgType};
///
/// let (server, client) = channel::<String, String, String, ()>();
///
/// let server_thread = thread::spawn(move || {
/// // Wait for data to arrive from a client
/// println!("Server waiting for message ..");
/// let MsgType::Request(data, mut rctx) = server.wait().unwrap() else {
/// panic!("Unexpected message type");
/// };
///
/// println!("Server received: '{}'", data);
///
/// // Long processing of data from client
///
/// // Reply to client
/// let reply = format!("Hello, {}!", data);
/// println!("Server replying '{}'", reply);
/// rctx.reply(reply);
///
/// println!("Server done");
/// });
///
/// let msg = String::from("Client");
/// println!("Client sending '{}'", msg);
/// let wrctx = client.req_async(msg).unwrap();
///
/// // .. perform some operation while server is processing the request ..
///
/// let reply = wrctx.wait().unwrap();
/// println!("Client received reply '{}'", reply);
/// println!("Client done");
///
/// server_thread.join().unwrap();
/// ```
pub fn req_async(&self, out: S) -> Result<WaitReply<R, E>, Error<E>> {
let (sctx, wctx) = swctx::mkpair();
self
.0
.push(InnerMsgType::Request(out, sctx))
.map_err(|_| Error::ServerDisappeared)?;
Ok(WaitReply(wctx))
}
/// Same as [`Client::req()`] but for use in `async` contexts.
pub async fn areq(&self, out: S) -> Result<R, Error<E>> {
let (sctx, wctx) = swctx::mkpair();
self
.0
.push(InnerMsgType::Request(out, sctx))
.map_err(|_| Error::ServerDisappeared)?;
Ok(wctx.wait_async().await?)
}
/// Create a weak `Client` reference.
pub fn weak(&self) -> WeakClient<P, S, R, E> {
WeakClient(self.0.weak())
}
}
impl<P, S, R, E> Clone for Client<P, S, R, E> {
/// Clone a client.
///
/// When a client is cloned the new object will be linked to the same server,
/// but in all other respects the clone is a completely independent client.
///
/// This means that a cloned client can be passed to a new thread/task and
/// make new independent calls to the server without any risk of collision
/// between clone and the original client object.
fn clone(&self) -> Self {
Client(self.0.clone())
}
}
/// Context used to wait for a server to reply to a request.
pub struct WaitReply<R, E>(swctx::WaitCtx<R, RCtxState, E>);
impl<R, E> WaitReply<R, E> {
/// Block and wait for a reply.
///
/// For use in non-`async` threads.
pub fn wait(self) -> Result<R, Error<E>> {
Ok(self.0.wait()?)
}
/// Block and wait for a reply.
///
/// For use in `async` tasks.
pub async fn wait_async(self) -> Result<R, Error<E>> {
Ok(self.0.wait_async().await?)
}
}
#[repr(transparent)]
pub struct WeakClient<P, S, R, E>(
pub(crate) sigq::WeakPusher<InnerMsgType<P, S, R, E>>
);
impl<P, S, R, E> Clone for WeakClient<P, S, R, E> {
fn clone(&self) -> Self {
Self(self.0.clone())
}
}
impl<P, S, R, E> WeakClient<P, S, R, E> {
pub fn upgrade(&self) -> Option<Client<P, S, R, E>> {
self.0.upgrade().map(|x| Client(x))
}
}
// vim: set ft=rust et sw=2 ts=2 sts=2 cinoptions=2 tw=79 :