1
0
mirror of https://github.com/fafhrd91/actix-net synced 2024-11-23 22:51:07 +01:00

add StreamDispatcher

This commit is contained in:
Nikolay Kim 2018-09-01 10:29:56 -07:00
parent 27af05de9a
commit 42a49da199
2 changed files with 91 additions and 0 deletions

View File

@ -58,6 +58,7 @@ mod server;
mod server_service;
pub mod service;
pub mod ssl;
pub mod stream;
mod worker;
pub use configurable::{IntoNewConfigurableService, NewConfigurableService};

90
src/stream.rs Normal file
View File

@ -0,0 +1,90 @@
use futures::unsync::mpsc;
use futures::{Async, Future, Poll, Stream};
use tokio::executor::current_thread::spawn;
use super::{IntoService, Service};
pub struct StreamDispatcher<S: Stream, T> {
stream: S,
service: T,
item: Option<Result<S::Item, S::Error>>,
stop_rx: mpsc::UnboundedReceiver<()>,
stop_tx: mpsc::UnboundedSender<()>,
}
impl<S, T> StreamDispatcher<S, T>
where
S: Stream,
T: Service<Request = Result<S::Item, S::Error>, Response = (), Error = ()>,
T::Future: 'static,
{
pub fn new<F: IntoService<T>>(stream: S, service: F) -> Self {
let (stop_tx, stop_rx) = mpsc::unbounded();
StreamDispatcher {
stream,
item: None,
service: service.into_service(),
stop_rx,
stop_tx,
}
}
}
impl<S, T> Future for StreamDispatcher<S, T>
where
S: Stream,
T: Service<Request = Result<S::Item, S::Error>, Response = (), Error = ()>,
T::Future: 'static,
{
type Item = ();
type Error = ();
fn poll(&mut self) -> Poll<Self::Item, Self::Error> {
if let Ok(Async::Ready(Some(_))) = self.stop_rx.poll() {
return Ok(Async::Ready(()));
}
let mut item = self.item.take();
loop {
if item.is_some() {
match self.service.poll_ready()? {
Async::Ready(_) => spawn(StreamDispatcherService {
fut: self.service.call(item.take().unwrap()),
stop: self.stop_tx.clone(),
}),
Async::NotReady => {
self.item = item;
return Ok(Async::NotReady);
}
}
}
match self.stream.poll() {
Ok(Async::Ready(Some(el))) => item = Some(Ok(el)),
Err(err) => item = Some(Err(err)),
Ok(Async::NotReady) => return Ok(Async::NotReady),
Ok(Async::Ready(None)) => return Ok(Async::Ready(())),
}
}
}
}
struct StreamDispatcherService<F: Future> {
fut: F,
stop: mpsc::UnboundedSender<()>,
}
impl<F: Future> Future for StreamDispatcherService<F> {
type Item = ();
type Error = ();
fn poll(&mut self) -> Poll<Self::Item, Self::Error> {
match self.fut.poll() {
Ok(Async::Ready(_)) => Ok(Async::Ready(())),
Ok(Async::NotReady) => Ok(Async::NotReady),
Err(_) => {
let _ = self.stop.unbounded_send(());
Ok(Async::Ready(()))
}
}
}
}