1
0
mirror of https://github.com/fafhrd91/actix-web synced 2024-11-24 16:32:59 +01:00
actix-web/actix-http/src/h2/dispatcher.rs

364 lines
13 KiB
Rust
Raw Normal View History

2019-12-05 18:35:43 +01:00
use std::convert::TryFrom;
use std::future::Future;
2019-02-06 20:44:15 +01:00
use std::marker::PhantomData;
2019-12-13 05:59:02 +01:00
use std::net;
use std::pin::Pin;
use std::task::{Context, Poll};
2019-02-06 20:44:15 +01:00
use actix_codec::{AsyncRead, AsyncWrite};
2019-12-05 18:35:43 +01:00
use actix_rt::time::{Delay, Instant};
2019-02-06 20:44:15 +01:00
use actix_service::Service;
use bytes::{Bytes, BytesMut};
use h2::server::{Connection, SendResponse};
2019-12-13 05:59:02 +01:00
use h2::SendStream;
use http::header::{HeaderValue, CONNECTION, CONTENT_LENGTH, DATE, TRANSFER_ENCODING};
use log::{error, trace};
2019-02-06 20:44:15 +01:00
2019-12-13 05:59:02 +01:00
use crate::body::{BodySize, MessageBody, ResponseBody};
use crate::cloneable::CloneableService;
2019-02-06 20:44:15 +01:00
use crate::config::ServiceConfig;
2019-12-13 05:59:02 +01:00
use crate::error::{DispatchError, Error};
2019-06-28 10:34:26 +02:00
use crate::helpers::DataFactory;
use crate::httpmessage::HttpMessage;
2019-02-06 20:44:15 +01:00
use crate::message::ResponseHead;
2019-02-07 22:41:50 +01:00
use crate::payload::Payload;
2019-02-06 20:44:15 +01:00
use crate::request::Request;
use crate::response::Response;
const CHUNK_SIZE: usize = 16_384;
/// Dispatcher for HTTP/2 protocol
2019-11-19 13:54:19 +01:00
#[pin_project::pin_project]
2019-12-02 12:33:11 +01:00
pub struct Dispatcher<T, S: Service<Request = Request>, B: MessageBody>
where
T: AsyncRead + AsyncWrite + Unpin,
{
service: CloneableService<S>,
2019-02-06 20:44:15 +01:00
connection: Connection<T, Bytes>,
2019-06-28 10:34:26 +02:00
on_connect: Option<Box<dyn DataFactory>>,
2019-02-06 20:44:15 +01:00
config: ServiceConfig,
peer_addr: Option<net::SocketAddr>,
2019-02-06 20:44:15 +01:00
ka_expire: Instant,
ka_timer: Option<Delay>,
_t: PhantomData<B>,
}
impl<T, S, B> Dispatcher<T, S, B>
where
2019-12-02 12:33:11 +01:00
T: AsyncRead + AsyncWrite + Unpin,
2019-04-04 19:59:34 +02:00
S: Service<Request = Request>,
2019-11-20 18:33:22 +01:00
S::Error: Into<Error>,
// S::Future: 'static,
S::Response: Into<Response<B>>,
B: MessageBody,
2019-02-06 20:44:15 +01:00
{
2019-06-28 10:34:26 +02:00
pub(crate) fn new(
service: CloneableService<S>,
2019-02-06 20:44:15 +01:00
connection: Connection<T, Bytes>,
2019-06-28 10:34:26 +02:00
on_connect: Option<Box<dyn DataFactory>>,
2019-02-06 20:44:15 +01:00
config: ServiceConfig,
timeout: Option<Delay>,
peer_addr: Option<net::SocketAddr>,
2019-02-06 20:44:15 +01:00
) -> Self {
// let keepalive = config.keep_alive_enabled();
2019-02-06 20:44:15 +01:00
// let flags = if keepalive {
// Flags::KEEPALIVE | Flags::KEEPALIVE_ENABLED
// } else {
// Flags::empty()
// };
// keep-alive timer
let (ka_expire, ka_timer) = if let Some(delay) = timeout {
(delay.deadline(), Some(delay))
} else if let Some(delay) = config.keep_alive_timer() {
(delay.deadline(), Some(delay))
} else {
(config.now(), None)
};
Dispatcher {
service,
config,
peer_addr,
connection,
2019-06-28 10:34:26 +02:00
on_connect,
2019-02-06 20:44:15 +01:00
ka_expire,
ka_timer,
_t: PhantomData,
}
}
}
impl<T, S, B> Future for Dispatcher<T, S, B>
where
2019-12-02 12:33:11 +01:00
T: AsyncRead + AsyncWrite + Unpin,
2019-04-04 19:59:34 +02:00
S: Service<Request = Request>,
2019-11-19 13:54:19 +01:00
S::Error: Into<Error> + 'static,
S::Future: 'static,
S::Response: Into<Response<B>> + 'static,
2019-02-06 20:44:15 +01:00
B: MessageBody + 'static,
{
type Output = Result<(), DispatchError>;
2019-02-06 20:44:15 +01:00
#[inline]
2019-12-07 19:46:51 +01:00
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let this = self.get_mut();
2019-02-06 20:44:15 +01:00
loop {
match Pin::new(&mut this.connection).poll_accept(cx) {
Poll::Ready(None) => return Poll::Ready(Ok(())),
Poll::Ready(Some(Err(err))) => return Poll::Ready(Err(err.into())),
2019-11-19 13:54:19 +01:00
Poll::Ready(Some(Ok((req, res)))) => {
2019-02-06 20:44:15 +01:00
// update keep-alive expire
if this.ka_timer.is_some() {
if let Some(expire) = this.config.keep_alive_expire() {
this.ka_expire = expire;
2019-02-06 20:44:15 +01:00
}
}
let (parts, body) = req.into_parts();
let mut req = Request::with_payload(Payload::<
crate::payload::PayloadStream,
>::H2(
crate::h2::Payload::new(body)
));
2019-02-06 20:44:15 +01:00
2019-02-08 06:16:46 +01:00
let head = &mut req.head_mut();
2019-02-06 20:44:15 +01:00
head.uri = parts.uri;
head.method = parts.method;
head.version = parts.version;
head.headers = parts.headers.into();
head.peer_addr = this.peer_addr;
// set on_connect data
if let Some(ref on_connect) = this.on_connect {
on_connect.set(&mut req.extensions_mut());
}
2019-11-26 06:25:50 +01:00
actix_rt::spawn(ServiceResponse::<
2019-11-19 13:54:19 +01:00
S::Future,
S::Response,
S::Error,
B,
> {
state: ServiceResponseState::ServiceCall(
this.service.call(req),
Some(res),
),
config: this.config.clone(),
buffer: None,
_t: PhantomData,
});
2019-02-06 20:44:15 +01:00
}
Poll::Pending => return Poll::Pending,
2019-02-06 20:44:15 +01:00
}
}
}
}
2019-11-19 13:54:19 +01:00
#[pin_project::pin_project]
struct ServiceResponse<F, I, E, B> {
#[pin]
2019-04-04 19:59:34 +02:00
state: ServiceResponseState<F, B>,
2019-02-06 20:44:15 +01:00
config: ServiceConfig,
buffer: Option<Bytes>,
_t: PhantomData<(I, E)>,
2019-02-06 20:44:15 +01:00
}
#[pin_project::pin_project(project = ServiceResponseStateProj)]
2019-04-04 19:59:34 +02:00
enum ServiceResponseState<F, B> {
ServiceCall(#[pin] F, Option<SendResponse<Bytes>>),
SendPayload(SendStream<Bytes>, #[pin] ResponseBody<B>),
2019-02-06 20:44:15 +01:00
}
impl<F, I, E, B> ServiceResponse<F, I, E, B>
2019-02-06 20:44:15 +01:00
where
2019-11-19 13:54:19 +01:00
F: Future<Output = Result<I, E>>,
2019-11-20 18:33:22 +01:00
E: Into<Error>,
I: Into<Response<B>>,
B: MessageBody,
2019-02-06 20:44:15 +01:00
{
fn prepare_response(
&self,
head: &ResponseHead,
size: &mut BodySize,
2019-02-06 20:44:15 +01:00
) -> http::Response<()> {
let mut has_date = false;
let mut skip_len = size != &BodySize::Stream;
2019-02-06 20:44:15 +01:00
let mut res = http::Response::new(());
*res.status_mut() = head.status;
*res.version_mut() = http::Version::HTTP_2;
// Content length
match head.status {
http::StatusCode::NO_CONTENT
| http::StatusCode::CONTINUE
| http::StatusCode::PROCESSING => *size = BodySize::None,
2019-02-06 20:44:15 +01:00
http::StatusCode::SWITCHING_PROTOCOLS => {
skip_len = true;
*size = BodySize::Stream;
2019-02-06 20:44:15 +01:00
}
_ => (),
}
let _ = match size {
2019-03-27 17:24:55 +01:00
BodySize::None | BodySize::Stream => None,
BodySize::Empty => res
2019-02-06 20:44:15 +01:00
.headers_mut()
.insert(CONTENT_LENGTH, HeaderValue::from_static("0")),
2019-03-27 17:24:55 +01:00
BodySize::Sized(len) => res.headers_mut().insert(
2019-02-06 20:44:15 +01:00
CONTENT_LENGTH,
HeaderValue::try_from(format!("{}", len)).unwrap(),
),
};
// copy headers
for (key, value) in head.headers.iter() {
match *key {
CONNECTION | TRANSFER_ENCODING => continue, // http2 specific
CONTENT_LENGTH if skip_len => continue,
DATE => has_date = true,
_ => (),
}
res.headers_mut().append(key, value.clone());
}
// set date header
if !has_date {
let mut bytes = BytesMut::with_capacity(29);
self.config.set_date_header(&mut bytes);
res.headers_mut().insert(
DATE,
// SAFETY: serialized date-times are known ASCII strings
unsafe { HeaderValue::from_maybe_shared_unchecked(bytes.freeze()) },
);
2019-02-06 20:44:15 +01:00
}
res
}
}
impl<F, I, E, B> Future for ServiceResponse<F, I, E, B>
2019-02-06 20:44:15 +01:00
where
2019-11-19 13:54:19 +01:00
F: Future<Output = Result<I, E>>,
2019-11-20 18:33:22 +01:00
E: Into<Error>,
I: Into<Response<B>>,
B: MessageBody,
2019-02-06 20:44:15 +01:00
{
type Output = ();
2019-12-07 19:46:51 +01:00
fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
2019-11-19 13:54:19 +01:00
let mut this = self.as_mut().project();
2019-02-06 20:44:15 +01:00
match this.state.project() {
ServiceResponseStateProj::ServiceCall(call, send) => match call.poll(cx) {
2020-02-27 03:10:55 +01:00
Poll::Ready(Ok(res)) => {
let (res, body) = res.into().replace_body(());
2019-02-06 20:44:15 +01:00
2020-02-27 03:10:55 +01:00
let mut send = send.take().unwrap();
let mut size = body.size();
let h2_res = self.as_mut().prepare_response(res.head(), &mut size);
this = self.as_mut().project();
2019-02-06 20:44:15 +01:00
2020-02-27 03:10:55 +01:00
let stream = match send.send_response(h2_res, size.is_eof()) {
Err(e) => {
trace!("Error sending h2 response: {:?}", e);
return Poll::Ready(());
2019-02-06 20:44:15 +01:00
}
2020-02-27 03:10:55 +01:00
Ok(stream) => stream,
};
2019-02-06 20:44:15 +01:00
2020-02-27 03:10:55 +01:00
if size.is_eof() {
Poll::Ready(())
} else {
this.state
.set(ServiceResponseState::SendPayload(stream, body));
self.poll(cx)
}
}
Poll::Pending => Poll::Pending,
Poll::Ready(Err(e)) => {
let res: Response = e.into().into();
let (res, body) = res.replace_body(());
2019-02-06 20:44:15 +01:00
2020-02-27 03:10:55 +01:00
let mut send = send.take().unwrap();
let mut size = body.size();
let h2_res = self.as_mut().prepare_response(res.head(), &mut size);
this = self.as_mut().project();
2019-02-06 20:44:15 +01:00
2020-02-27 03:10:55 +01:00
let stream = match send.send_response(h2_res, size.is_eof()) {
Err(e) => {
trace!("Error sending h2 response: {:?}", e);
return Poll::Ready(());
2019-02-06 20:44:15 +01:00
}
2020-02-27 03:10:55 +01:00
Ok(stream) => stream,
};
if size.is_eof() {
Poll::Ready(())
} else {
this.state.set(ServiceResponseState::SendPayload(
stream,
body.into_body(),
));
self.poll(cx)
2019-02-06 20:44:15 +01:00
}
}
2020-02-27 03:10:55 +01:00
},
ServiceResponseStateProj::SendPayload(ref mut stream, ref mut body) => {
2019-02-06 20:44:15 +01:00
loop {
loop {
if let Some(ref mut buffer) = this.buffer {
match stream.poll_capacity(cx) {
Poll::Pending => return Poll::Pending,
Poll::Ready(None) => return Poll::Ready(()),
Poll::Ready(Some(Ok(cap))) => {
let len = buffer.len();
let bytes = buffer.split_to(std::cmp::min(cap, len));
if let Err(e) = stream.send_data(bytes, false) {
warn!("{:?}", e);
return Poll::Ready(());
} else if !buffer.is_empty() {
let cap =
std::cmp::min(buffer.len(), CHUNK_SIZE);
stream.reserve_capacity(cap);
} else {
this.buffer.take();
}
}
Poll::Ready(Some(Err(e))) => {
2019-02-06 20:44:15 +01:00
warn!("{:?}", e);
return Poll::Ready(());
2019-02-06 20:44:15 +01:00
}
}
} else {
match body.as_mut().poll_next(cx) {
Poll::Pending => return Poll::Pending,
Poll::Ready(None) => {
if let Err(e) = stream.send_data(Bytes::new(), true)
{
warn!("{:?}", e);
}
return Poll::Ready(());
}
Poll::Ready(Some(Ok(chunk))) => {
stream.reserve_capacity(std::cmp::min(
chunk.len(),
CHUNK_SIZE,
));
*this.buffer = Some(chunk);
}
Poll::Ready(Some(Err(e))) => {
error!("Response payload stream error: {:?}", e);
return Poll::Ready(());
2019-02-06 20:44:15 +01:00
}
}
}
}
}
}
2019-02-06 20:44:15 +01:00
}
}
}