use std::marker::PhantomData; use actix_service::{NewService, Service}; use futures::{future::ok, future::FutureResult, Async, Future, Poll}; use openssl::ssl::{HandshakeError, SslAcceptor}; use tokio_io::{AsyncRead, AsyncWrite}; use tokio_openssl::{AcceptAsync, SslAcceptorExt, SslStream}; use crate::counter::{Counter, CounterGuard}; use crate::ssl::MAX_CONN_COUNTER; use crate::{Io, Protocol, ServerConfig}; /// Support `SSL` connections via openssl package /// /// `ssl` feature enables `OpensslAcceptor` type pub struct OpensslAcceptor { acceptor: SslAcceptor, io: PhantomData<(T, P)>, } impl OpensslAcceptor { /// Create default `OpensslAcceptor` pub fn new(acceptor: SslAcceptor) -> Self { OpensslAcceptor { acceptor, io: PhantomData, } } } impl Clone for OpensslAcceptor { fn clone(&self) -> Self { Self { acceptor: self.acceptor.clone(), io: PhantomData, } } } impl NewService for OpensslAcceptor { type Request = Io; type Response = Io, P>; type Error = HandshakeError; type Service = OpensslAcceptorService; type InitError = (); type Future = FutureResult; fn new_service(&self, cfg: &ServerConfig) -> Self::Future { cfg.set_secure(); MAX_CONN_COUNTER.with(|conns| { ok(OpensslAcceptorService { acceptor: self.acceptor.clone(), conns: conns.clone(), io: PhantomData, }) }) } } pub struct OpensslAcceptorService { acceptor: SslAcceptor, conns: Counter, io: PhantomData<(T, P)>, } impl Service for OpensslAcceptorService { type Request = Io; type Response = Io, P>; type Error = HandshakeError; type Future = OpensslAcceptorServiceFut; fn poll_ready(&mut self) -> Poll<(), Self::Error> { if self.conns.available() { Ok(Async::Ready(())) } else { Ok(Async::NotReady) } } fn call(&mut self, req: Self::Request) -> Self::Future { let (io, params, _) = req.into_parts(); OpensslAcceptorServiceFut { _guard: self.conns.get(), fut: SslAcceptorExt::accept_async(&self.acceptor, io), params: Some(params), } } } pub struct OpensslAcceptorServiceFut where T: AsyncRead + AsyncWrite, { fut: AcceptAsync, params: Option

, _guard: CounterGuard, } impl Future for OpensslAcceptorServiceFut { type Item = Io, P>; type Error = HandshakeError; fn poll(&mut self) -> Poll { let io = futures::try_ready!(self.fut.poll()); let proto = if let Some(protos) = io.get_ref().ssl().selected_alpn_protocol() { const H2: &[u8] = b"\x02h2"; const HTTP10: &[u8] = b"\x08http/1.0"; const HTTP11: &[u8] = b"\x08http/1.1"; if protos.windows(3).any(|window| window == H2) { Protocol::Http2 } else if protos.windows(9).any(|window| window == HTTP11) { Protocol::Http11 } else if protos.windows(9).any(|window| window == HTTP10) { Protocol::Http10 } else { Protocol::Unknown } } else { Protocol::Unknown }; Ok(Async::Ready(Io::from_parts( io, self.params.take().unwrap(), proto, ))) } }