quic_rpc/pattern/
client_streaming.rsuse std::{
error,
fmt::{self, Debug},
result,
};
use futures_lite::{future::Boxed, Future, StreamExt};
use futures_util::{FutureExt, SinkExt, TryFutureExt};
use crate::{
client::UpdateSink,
message::{InteractionPattern, Msg},
server::{race2, RpcChannel, RpcServerError, UpdateStream},
transport::{ConnectionErrors, StreamTypes},
Connector, RpcClient, Service,
};
#[derive(Debug, Clone, Copy)]
pub struct ClientStreaming;
impl InteractionPattern for ClientStreaming {}
pub trait ClientStreamingMsg<S: Service>: Msg<S, Pattern = ClientStreaming> {
type Update: Into<S::Req> + TryFrom<S::Req> + Send + 'static;
type Response: Into<S::Res> + TryFrom<S::Res> + Send + 'static;
}
#[derive(Debug)]
pub enum Error<C: ConnectionErrors> {
Open(C::OpenError),
Send(C::SendError),
}
impl<C: ConnectionErrors> fmt::Display for Error<C> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
fmt::Debug::fmt(self, f)
}
}
impl<C: ConnectionErrors> error::Error for Error<C> {}
#[derive(Debug)]
pub enum ItemError<C: ConnectionErrors> {
EarlyClose,
RecvError(C::RecvError),
DowncastError,
}
impl<C: ConnectionErrors> fmt::Display for ItemError<C> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
fmt::Debug::fmt(self, f)
}
}
impl<C: ConnectionErrors> error::Error for ItemError<C> {}
impl<S, C> RpcClient<S, C>
where
S: Service,
C: Connector<S>,
{
pub async fn client_streaming<M>(
&self,
msg: M,
) -> result::Result<
(
UpdateSink<C, M::Update>,
Boxed<result::Result<M::Response, ItemError<C>>>,
),
Error<C>,
>
where
M: ClientStreamingMsg<S>,
{
let msg = msg.into();
let (mut send, mut recv) = self.source.open().await.map_err(Error::Open)?;
send.send(msg).map_err(Error::Send).await?;
let send = UpdateSink::<C, M::Update>::new(send);
let recv = async move {
let item = recv.next().await.ok_or(ItemError::EarlyClose)?;
match item {
Ok(msg) => M::Response::try_from(msg).map_err(|_| ItemError::DowncastError),
Err(e) => Err(ItemError::RecvError(e)),
}
}
.boxed();
Ok((send, recv))
}
}
impl<S, C> RpcChannel<S, C>
where
S: Service,
C: StreamTypes<In = S::Req, Out = S::Res>,
{
pub async fn client_streaming<M, F, Fut, T>(
self,
req: M,
target: T,
f: F,
) -> result::Result<(), RpcServerError<C>>
where
M: ClientStreamingMsg<S>,
F: FnOnce(T, M, UpdateStream<C, M::Update>) -> Fut + Send + 'static,
Fut: Future<Output = M::Response> + Send + 'static,
T: Send + 'static,
{
let Self { mut send, recv, .. } = self;
let (updates, read_error) = UpdateStream::new(recv);
race2(read_error.map(Err), async move {
let res = f(target, req, updates).await;
let res = res.into();
send.send(res).await.map_err(RpcServerError::SendError)
})
.await
}
}