tokio_tower/pipeline/client.rs
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 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412
use crate::mediator;
use crate::wrappers::*;
use crate::Error;
use crate::MakeTransport;
use futures_core::{ready, stream::TryStream};
use futures_sink::Sink;
use pin_project::pin_project;
use std::collections::VecDeque;
use std::future::Future;
use std::marker::PhantomData;
use std::pin::Pin;
use std::sync::{atomic, Arc};
use std::task::{Context, Poll};
use std::{error, fmt};
use tower_service::Service;
/// A factory that makes new [`Client`] instances by creating new transports and wrapping them in
/// fresh `Client`s.
pub struct Maker<NT, Request> {
t_maker: NT,
_req: PhantomData<fn(Request)>,
}
impl<NT, Request> fmt::Debug for Maker<NT, Request>
where
NT: fmt::Debug,
{
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("Maker")
.field("t_maker", &self.t_maker)
.finish()
}
}
impl<NT, Request> Maker<NT, Request> {
/// Make a new `Client` factory that uses the given `MakeTransport` factory.
pub fn new(t: NT) -> Self {
Maker {
t_maker: t,
_req: PhantomData,
}
}
// NOTE: it'd be *great* if the user had a way to specify a service error handler for all
// spawned services, but without https://github.com/rust-lang/rust/pull/49224 or
// https://github.com/rust-lang/rust/issues/29625 that's pretty tricky (unless we're willing to
// require Fn + Clone)
}
/// A failure to spawn a new `Client`.
#[derive(Debug)]
pub enum SpawnError<E> {
/// The executor failed to spawn the `tower_buffer::Worker`.
SpawnFailed,
/// A new transport could not be produced.
Inner(E),
}
impl<NT, Target, Request> Service<Target> for Maker<NT, Request>
where
NT: MakeTransport<Target, Request>,
NT::Transport: 'static + Send,
Request: 'static + Send,
NT::Item: 'static + Send,
NT::SinkError: 'static + Send + Sync,
NT::Error: 'static + Send + Sync,
NT::Future: 'static + Send,
{
type Error = SpawnError<NT::MakeError>;
type Response = Client<NT::Transport, Error<NT::Transport, Request>, Request>;
type Future = Pin<Box<dyn Future<Output = Result<Self::Response, Self::Error>> + Send>>;
fn call(&mut self, target: Target) -> Self::Future {
let maker = self.t_maker.make_transport(target);
Box::pin(async move { Ok(Client::new(maker.await.map_err(SpawnError::Inner)?)) })
}
fn poll_ready(&mut self, cx: &mut Context<'_>) -> Poll<Result<(), Self::Error>> {
self.t_maker.poll_ready(cx).map_err(SpawnError::Inner)
}
}
impl<NT, Request> tower::load::Load for Maker<NT, Request> {
type Metric = u8;
fn load(&self) -> Self::Metric {
0
}
}
// ===== Client =====
/// This type provides an implementation of a Tower
/// [`Service`](https://docs.rs/tokio-service/0.1/tokio_service/trait.Service.html) on top of a
/// request-at-a-time protocol transport. In particular, it wraps a transport that implements
/// `Sink<SinkItem = Request>` and `Stream<Item = Response>` with the necessary bookkeeping to
/// adhere to Tower's convenient `fn(Request) -> Future<Response>` API.
pub struct Client<T, E, Request>
where
T: Sink<Request> + TryStream,
{
mediator: mediator::Sender<ClientRequest<T, Request>>,
in_flight: Arc<atomic::AtomicUsize>,
_error: PhantomData<fn(E)>,
}
impl<T, E, Request> fmt::Debug for Client<T, E, Request>
where
T: Sink<Request> + TryStream,
{
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("Client")
.field("mediator", &self.mediator)
.field("in_flight", &self.in_flight)
.finish()
}
}
// ===== ClientInner =====
struct Pending<Item> {
tx: tokio::sync::oneshot::Sender<ClientResponse<Item>>,
span: tracing::Span,
}
#[pin_project]
struct ClientInner<T, E, Request>
where
T: Sink<Request> + TryStream,
{
mediator: mediator::Receiver<ClientRequest<T, Request>>,
responses: VecDeque<Pending<T::Ok>>,
#[pin]
transport: T,
in_flight: Arc<atomic::AtomicUsize>,
finish: bool,
rx_only: bool,
#[allow(unused)]
error: PhantomData<fn(E)>,
}
impl<T, E, Request> Client<T, E, Request>
where
T: Sink<Request> + TryStream + Send + 'static,
E: From<Error<T, Request>>,
E: 'static + Send,
Request: 'static + Send,
T::Ok: 'static + Send,
{
/// Construct a new [`Client`] over the given `transport`.
///
/// If the Client errors, the error is dropped when `new` is used -- use `with_error_handler`
/// to handle such an error explicitly.
pub fn new(transport: T) -> Self where {
Self::with_error_handler(transport, |_| {})
}
/// Construct a new [`Client`] over the given `transport`.
///
/// If the `Client` errors, its error is passed to `on_service_error`.
pub fn with_error_handler<F>(transport: T, on_service_error: F) -> Self
where
F: FnOnce(E) + Send + 'static,
{
let (tx, rx) = mediator::new();
let in_flight = Arc::new(atomic::AtomicUsize::new(0));
tokio::spawn({
let c = ClientInner {
mediator: rx,
responses: Default::default(),
transport,
in_flight: in_flight.clone(),
error: PhantomData::<fn(E)>,
finish: false,
rx_only: false,
};
async move {
if let Err(e) = c.await {
on_service_error(e);
}
}
});
Client {
mediator: tx,
in_flight,
_error: PhantomData,
}
}
}
impl<T, E, Request> Future for ClientInner<T, E, Request>
where
T: Sink<Request> + TryStream,
E: From<Error<T, Request>>,
E: 'static + Send,
Request: 'static + Send,
T::Ok: 'static + Send,
{
type Output = Result<(), E>;
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
// go through the deref so we can do partial borrows
let this = self.project();
// we never move transport, nor do we ever hand out &mut to it
let mut transport: Pin<_> = this.transport;
// track how many times we have iterated
let mut i = 0;
if !*this.finish {
while let Poll::Ready(r) = transport.as_mut().poll_ready(cx) {
if let Err(e) = r {
return Poll::Ready(Err(E::from(Error::from_sink_error(e))));
}
// send more requests if we have them
match this.mediator.try_recv(cx) {
Poll::Ready(Some(ClientRequest {
req,
span: _span,
res,
})) => {
let guard = _span.enter();
tracing::trace!("request received by worker; sending to Sink");
transport
.as_mut()
.start_send(req)
.map_err(Error::from_sink_error)?;
tracing::trace!("request sent");
drop(guard);
this.responses.push_back(Pending {
tx: res,
span: _span,
});
this.in_flight.fetch_add(1, atomic::Ordering::AcqRel);
// if we have run for a while without yielding, yield so we can make progress
i += 1;
if i == crate::YIELD_EVERY {
// we're forcing a yield, so need to ensure we get woken up again
cx.waker().wake_by_ref();
// we still want to execute the code below the loop
break;
}
}
Poll::Ready(None) => {
// XXX: should we "give up" the Sink::poll_ready here?
*this.finish = true;
break;
}
Poll::Pending => {
// XXX: should we "give up" the Sink::poll_ready here?
break;
}
}
}
}
if this.in_flight.load(atomic::Ordering::Acquire) != 0 && !*this.rx_only {
// flush out any stuff we've sent in the past
// don't return on NotReady since we have to check for responses too
if *this.finish {
// we're closing up shop!
//
// poll_close() implies poll_flush()
let r = transport
.as_mut()
.poll_close(cx)
.map_err(Error::from_sink_error)?;
if r.is_ready() {
// now that close has completed, we should never send anything again
// we only need to receive to make the in-flight requests complete
*this.rx_only = true;
}
} else {
let _ = transport
.as_mut()
.poll_flush(cx)
.map_err(Error::from_sink_error)?;
}
}
// and start looking for replies.
//
// note that we *could* have this just be a loop, but we don't want to poll the stream
// if we know there's nothing for it to produce.
while this.in_flight.load(atomic::Ordering::Acquire) != 0 {
match ready!(transport.as_mut().try_poll_next(cx))
.transpose()
.map_err(Error::from_stream_error)?
{
Some(r) => {
// ignore send failures
// the client may just no longer care about the response
let pending = this.responses.pop_front().ok_or(Error::Desynchronized)?;
tracing::trace!(parent: &pending.span, "response arrived; forwarding");
let sender = pending.tx;
let _ = sender.send(ClientResponse {
response: r,
span: pending.span,
});
this.in_flight.fetch_sub(1, atomic::Ordering::AcqRel);
}
None => {
// the transport terminated while we were waiting for a response!
// TODO: it'd be nice if we could return the transport here..
return Poll::Ready(Err(E::from(Error::BrokenTransportRecv(None))));
}
}
}
if *this.finish && this.in_flight.load(atomic::Ordering::Acquire) == 0 {
if *this.rx_only {
// we have already closed the send side.
} else {
// we're completely done once close() finishes!
ready!(transport.poll_close(cx)).map_err(Error::from_sink_error)?;
}
return Poll::Ready(Ok(()));
}
// to get here, we must have no requests in flight and have gotten a NotReady from
// self.mediator.try_recv or self.transport.start_send. we *could* also have messages
// waiting to be sent (transport.poll_complete), but if that's the case it must also have
// returned NotReady. so, at this point, we know that all of our subtasks are either done
// or have returned NotReady, so the right thing for us to do is return NotReady too!
Poll::Pending
}
}
impl<T, E, Request> Service<Request> for Client<T, E, Request>
where
T: Sink<Request> + TryStream,
E: From<Error<T, Request>>,
E: 'static + Send,
Request: 'static + Send,
T: 'static,
T::Ok: 'static + Send,
{
type Response = T::Ok;
type Error = E;
type Future = Pin<Box<dyn Future<Output = Result<Self::Response, Self::Error>> + Send>>;
fn poll_ready(&mut self, cx: &mut Context<'_>) -> Poll<Result<(), E>> {
Poll::Ready(ready!(self.mediator.poll_ready(cx)).map_err(|_| E::from(Error::ClientDropped)))
}
fn call(&mut self, req: Request) -> Self::Future {
let (tx, rx) = tokio::sync::oneshot::channel();
let span = tracing::Span::current();
tracing::trace!("issuing request");
let req = ClientRequest { req, span, res: tx };
let r = self.mediator.try_send(req);
Box::pin(async move {
match r {
Ok(()) => match rx.await {
Ok(r) => {
tracing::trace!(parent: &r.span, "response returned");
Ok(r.response)
}
Err(_) => Err(E::from(Error::ClientDropped)),
},
Err(_) => Err(E::from(Error::TransportFull)),
}
})
}
}
impl<T, E, Request> tower::load::Load for Client<T, E, Request>
where
T: Sink<Request> + TryStream,
{
type Metric = usize;
fn load(&self) -> Self::Metric {
self.in_flight.load(atomic::Ordering::Acquire)
}
}
// ===== impl SpawnError =====
impl<T> fmt::Display for SpawnError<T>
where
T: fmt::Debug,
{
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match *self {
SpawnError::SpawnFailed => f.pad("error spawning multiplex client"),
SpawnError::Inner(_) => f.pad("error making new multiplex transport"),
}
}
}
impl<T> error::Error for SpawnError<T>
where
T: error::Error + 'static,
{
fn source(&self) -> Option<&(dyn error::Error + 'static)> {
match *self {
SpawnError::SpawnFailed => None,
SpawnError::Inner(ref te) => Some(te),
}
}
}