use std::{ future::Future, io, pin::Pin, sync::Arc, task::{Context, Poll}, }; use actix_codec::{AsyncRead, AsyncWrite}; use actix_service::{Service, ServiceFactory}; use actix_utils::counter::{Counter, CounterGuard}; use futures_core::future::LocalBoxFuture; use tokio_rustls::{Accept, TlsAcceptor}; pub use tokio_rustls::rustls::{ServerConfig, Session}; pub use tokio_rustls::server::TlsStream; use super::MAX_CONN_COUNTER; /// Accept TLS connections via `rustls` package. /// /// `rustls` feature enables this `Acceptor` type. pub struct Acceptor { config: Arc, } impl Acceptor { /// Create Rustls based `Acceptor` service factory. #[inline] pub fn new(config: ServerConfig) -> Self { Acceptor { config: Arc::new(config), } } } impl Clone for Acceptor { #[inline] fn clone(&self) -> Self { Self { config: self.config.clone(), } } } impl ServiceFactory for Acceptor where T: AsyncRead + AsyncWrite + Unpin, { type Response = TlsStream; type Error = io::Error; type Config = (); type Service = AcceptorService; type InitError = (); type Future = LocalBoxFuture<'static, Result>; fn new_service(&self, _: ()) -> Self::Future { let res = MAX_CONN_COUNTER.with(|conns| { Ok(AcceptorService { acceptor: self.config.clone().into(), conns: conns.clone(), }) }); Box::pin(async { res }) } } /// Rustls based `Acceptor` service pub struct AcceptorService { acceptor: TlsAcceptor, conns: Counter, } impl Service for AcceptorService where T: AsyncRead + AsyncWrite + Unpin, { type Response = TlsStream; type Error = io::Error; type Future = AcceptorServiceFut; fn poll_ready(&self, cx: &mut Context<'_>) -> Poll> { if self.conns.available(cx) { Poll::Ready(Ok(())) } else { Poll::Pending } } fn call(&self, req: T) -> Self::Future { AcceptorServiceFut { _guard: self.conns.get(), fut: self.acceptor.accept(req), } } } pub struct AcceptorServiceFut where T: AsyncRead + AsyncWrite + Unpin, { fut: Accept, _guard: CounterGuard, } impl Future for AcceptorServiceFut where T: AsyncRead + AsyncWrite + Unpin, { type Output = Result, io::Error>; fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll { let this = self.get_mut(); Pin::new(&mut this.fut).poll(cx) } }