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 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612
//! A server framework with connection management, automatic HTTP/1.1 and HTTP/2
//! switching, and pluggable acceptors, protocols, and services.
//!
//! # Overview
//! [`Server`] is the primary entry point for this module, and represents the components
//! which are ready to serve requests. It has a builder API for confiugration, [`Server::builder`]
//! and can be `await`-ed to start serving connections.
//!
//! When a new connection arrives, it is the acceptor's job to accept the connection and
//! provide a bi-directional stream of bytes. The server then uses the protocol to determine
//! how to handle that connection and serve requests. A service is used to handle individual
//! requests. The service is generated by the "MakeService" which is provided by the user.
//!
//! A "MakeService" is a service which creates services, aka a service factory. The service
//! factory will recieve a reference to the underlying connection stream.
//!
//! # Low Level Components
//! The [`conn`] module contains the low-level components that are used to build a server,
//! including the built in acceptors and protocols. These can be used to build custom servers
//! with different behavior, or to extend the built-in server with custom acceptors or protocols.
//!
//! # Example
//! ```rust
//! # type BoxError = Box<dyn std::error::Error + Send + Sync + 'static>;
//!
//! async fn echo(req: hyperdriver::body::Request) -> Result<hyperdriver::body::Response, BoxError> {
//! Ok(hyperdriver::body::Response::new(req.into_body()))
//! }
//!
//! async fn example_server() {
//! let (client, incoming) = hyperdriver::stream::duplex::pair();
//!
//! let server = hyperdriver::server::Server::builder()
//! .with_incoming(incoming)
//! .with_http1()
//! .with_shared_service(tower::service_fn(echo));
//!
//! server.await.unwrap();
//! }
use std::future::{Future, IntoFuture};
use std::marker::PhantomData;
use std::pin::{pin, Pin};
use std::sync::Arc;
use std::task::{ready, Context, Poll};
use std::{fmt, io};
use builder::{NeedsAcceptor, NeedsProtocol, NeedsService};
use futures_util::future::FutureExt as _;
use http_body::Body;
#[cfg(feature = "stream")]
use tokio::net::ToSocketAddrs;
use tracing::instrument::Instrumented;
use tracing::{debug, Instrument};
pub use self::conn::auto::Builder as AutoBuilder;
pub use self::conn::Accept;
#[cfg(feature = "stream")]
use self::conn::Acceptor;
use self::conn::Connection;
#[cfg(feature = "stream")]
use crate::bridge::rt::TokioExecutor;
use crate::service::MakeServiceRef;
mod builder;
pub mod conn;
type BoxFuture<'a, T> = Pin<Box<dyn Future<Output = T> + Send + 'a>>;
type BoxError = Box<dyn std::error::Error + Send + Sync>;
/// A transport protocol for serving connections.
///
/// This is not meant to be the "accept" part of a server, but instead the connection
/// management and serving part.
pub trait Protocol<S, IO> {
/// The error when a connection has a problem.
type Error: Into<Box<dyn std::error::Error + Send + Sync>>;
/// The connection future, used to drive a connection IO to completion.
type Connection: Connection + Future<Output = Result<(), Self::Error>> + Send + 'static;
/// Serve a connection with possible upgrades.
///
/// Implementing this method does not guarantee that a protocol can be upgraded,
/// just that we can serve the connection.
fn serve_connection_with_upgrades(&self, stream: IO, service: S) -> Self::Connection;
}
/// A server that can accept connections, and run each connection
/// using a [tower::Service].
///
/// To use the server, call `.await` on it. This will start the server
/// and serve until the future is cancelled or the acceptor encounters an
/// error. To cancel the server, drop the future.
///
/// The server also supports graceful shutdown. Provide a future which will
/// resolve when the server should shut down to [`Server::with_graceful_shutdown`]
/// to enable this behavior. In graceful shutdown mode, individual connections
/// will have an opportunity to finish processing before the server stops.
///
/// The generic parameters can be a bit tricky. They are as follows:
///
/// - `A` is the type that can accept connections. This must implement [`Accept`].
/// - `P` is the protocol to use for serving connections. This must implement [`Protocol`].
/// - `S` is the "make service" which generates a service to handle each connection.
/// This must implement [`MakeServiceRef`], and will be passed a reference to the
/// connection stream (to facilitate connection information).
/// - `B` is the body type for the service.
pub struct Server<A, P, S, B> {
acceptor: A,
protocol: P,
make_service: S,
body: PhantomData<fn(B) -> ()>,
}
impl<A, P, S, B> fmt::Debug for Server<A, P, S, B> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("Server").finish()
}
}
impl Server<(), (), (), ()> {
/// Create a new server builder.
///
///
/// To build a simple server, you can use the `with_shared_service` method:
/// ```rust
/// use hyperdriver::stream::duplex;
/// use hyperdriver::Server;
/// use hyperdriver::Body;
/// use tower::service_fn;
///
/// #[derive(Debug)]
/// struct MyError;
///
/// impl std::fmt::Display for MyError {
/// fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
/// f.write_str("MyError")
/// }
/// }
///
/// impl std::error::Error for MyError {}
///
/// # async fn example() {
/// let (_, incoming) = duplex::pair();
/// let server = Server::builder()
/// .with_acceptor(incoming)
/// .with_shared_service(service_fn(|req| async move {
/// Ok::<_, MyError>(http::Response::new(Body::empty()))
/// }))
/// .with_auto_http();
///
/// server.await.unwrap();
/// # }
/// ```
pub fn builder<B>() -> Server<NeedsAcceptor, NeedsProtocol, NeedsService, B> {
Server {
acceptor: Default::default(),
protocol: Default::default(),
make_service: Default::default(),
body: Default::default(),
}
}
}
impl<A, P, S, B> Server<A, P, S, B> {
/// Create a new server with the given `MakeService` and `Acceptor`, and a custom [Protocol].
///
/// The default protocol is [AutoBuilder], which can serve both HTTP/1 and HTTP/2 connections,
/// and will automatically detect the protocol used by the client.
pub fn new(acceptor: A, protocol: P, make_service: S) -> Self {
Self {
acceptor,
protocol,
make_service,
body: PhantomData,
}
}
/// Shutdown the server gracefully when the given future resolves.
///
///
/// # Example
/// ```rust
/// use hyperdriver::stream::duplex;
/// use hyperdriver::Server;
/// use hyperdriver::Body;
/// use tower::service_fn;
///
/// # #[derive(Debug)]
/// # struct MyError;
/// #
/// # impl std::fmt::Display for MyError {
/// # fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
/// # f.write_str("MyError")
/// # }
/// # }
/// #
/// # impl std::error::Error for MyError {}
/// #
/// # async fn example() {
/// let (_, incoming) = duplex::pair();
/// let server = Server::builder()
/// .with_acceptor(incoming)
/// .with_shared_service(service_fn(|req| async move {
/// Ok::<_, MyError>(http::Response::new(Body::empty()))
/// }))
/// .with_auto_http()
/// .with_graceful_shutdown(async { let _ = tokio::signal::ctrl_c().await; }).await.unwrap();
/// # }
/// ```
pub fn with_graceful_shutdown<F>(self, signal: F) -> GracefulShutdown<A, P, S, B, F>
where
S: MakeServiceRef<A::Conn, B>,
P: Protocol<S::Service, A::Conn>,
A: Accept + Unpin,
B: Body,
F: Future<Output = ()> + Send + 'static,
{
GracefulShutdown::new(self, signal)
}
}
#[cfg(feature = "stream")]
impl<S, B> Server<Acceptor, AutoBuilder<TokioExecutor>, S, B> {
/// Bind a new server to the given address.
pub async fn bind<A: ToSocketAddrs>(addr: A, make_service: S) -> io::Result<Self> {
let incoming = tokio::net::TcpListener::bind(addr).await?;
let accept = Acceptor::from(incoming);
Ok(Server::builder()
.with_acceptor(accept)
.with_auto_http()
.with_make_service(make_service))
}
}
impl<A, P, S, B> IntoFuture for Server<A, P, S, B>
where
S: MakeServiceRef<A::Conn, B>,
P: Protocol<S::Service, A::Conn>,
A: Accept + Unpin,
B: Body,
{
type IntoFuture = Serving<A, P, S, B>;
type Output = Result<(), ServerError>;
fn into_future(self) -> Self::IntoFuture {
Serving {
server: self,
state: State::Preparing,
}
}
}
/// A future that drives the server to accept connections.
#[derive(Debug)]
#[pin_project::pin_project]
#[must_use = "futures do nothing unless you `.await` or poll them"]
pub struct Serving<A, P, S, B>
where
S: MakeServiceRef<A::Conn, B>,
A: Accept,
{
server: Server<A, P, S, B>,
#[pin]
state: State<A::Conn, S::Future>,
}
#[derive(Debug)]
#[pin_project::pin_project(project = StateProj, project_replace = StateProjOwn)]
enum State<S, F> {
Preparing,
Accepting,
Making {
#[pin]
future: F,
stream: S,
},
}
impl<A, P, S, B> Serving<A, P, S, B>
where
S: MakeServiceRef<A::Conn, B>,
P: Protocol<S::Service, A::Conn>,
A: Accept + Unpin,
{
/// Polls the server to accept a single new connection.
///
/// The returned connection should be spawned on the runtime.
#[allow(clippy::type_complexity)]
fn poll_once(
mut self: Pin<&mut Self>,
cx: &mut Context<'_>,
) -> Poll<Result<Option<Instrumented<P::Connection>>, ServerError>> {
let mut me = self.as_mut().project();
match me.state.as_mut().project() {
StateProj::Preparing => {
ready!(me.server.make_service.poll_ready_ref(cx)).map_err(ServerError::ready)?;
me.state.set(State::Accepting);
}
StateProj::Accepting => match ready!(Pin::new(&mut me.server.acceptor).poll_accept(cx))
{
Ok(stream) => {
let future = me.server.make_service.make_service_ref(&stream);
me.state.set(State::Making { future, stream });
}
Err(e) => {
return Poll::Ready(Err(ServerError::accept(e)));
}
},
StateProj::Making { future, .. } => {
let service = ready!(future.poll(cx)).map_err(ServerError::make)?;
if let StateProjOwn::Making { stream, .. } =
me.state.project_replace(State::Preparing)
{
let span = tracing::span!(tracing::Level::TRACE, "connection");
let conn = me
.server
.protocol
.serve_connection_with_upgrades(stream, service)
.instrument(span);
return Poll::Ready(Ok(Some(conn)));
} else {
unreachable!("state must still be accepting");
}
}
};
Poll::Ready(Ok(None))
}
}
impl<A, P, S, B> Future for Serving<A, P, S, B>
where
S: MakeServiceRef<A::Conn, B>,
P: Protocol<S::Service, A::Conn>,
A: Accept + Unpin,
B: Body,
{
type Output = Result<(), ServerError>;
fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
loop {
match self.as_mut().poll_once(cx) {
Poll::Ready(Ok(Some(conn))) => {
tokio::spawn(async move {
if let Err(error) = conn.await {
debug!("connection error: {:?}", error.into());
}
});
}
Poll::Ready(Ok(None)) => {}
Poll::Ready(Err(e)) => return Poll::Ready(Err(e)),
Poll::Pending => return Poll::Pending,
}
}
}
}
#[derive(Debug, Clone)]
struct CloseSender(Option<tokio::sync::watch::Receiver<()>>);
impl CloseSender {
fn send(&mut self) {
let _ = self.0.take();
tracing::trace!("sending close signal");
}
}
#[derive(Debug, Clone)]
struct CloseReciever(Arc<tokio::sync::watch::Sender<()>>);
impl IntoFuture for CloseReciever {
type IntoFuture = CloseFuture;
type Output = ();
fn into_future(self) -> Self::IntoFuture {
CloseFuture(Box::pin(async move {
self.0.closed().await;
}))
}
}
#[pin_project::pin_project]
struct CloseFuture(#[pin] BoxFuture<'static, ()>);
impl Future for CloseFuture {
type Output = ();
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
self.project().0.poll(cx)
}
}
fn close() -> (CloseSender, CloseReciever) {
let (tx, rx) = tokio::sync::watch::channel(());
(CloseSender(Some(rx)), CloseReciever(Arc::new(tx)))
}
/// A server that can accept connections, and run each connection, and can
/// also process graceful shutdown signals.
///
/// See [`Server::with_graceful_shutdown`] for more details.
#[pin_project::pin_project]
pub struct GracefulShutdown<A, P, S, B, F>
where
S: MakeServiceRef<A::Conn, B>,
A: Accept,
{
#[pin]
server: Serving<A, P, S, B>,
#[pin]
signal: F,
channel: CloseReciever,
shutdown: CloseSender,
#[pin]
finished: CloseFuture,
connection: CloseSender,
}
impl<A, P, S, B, F> GracefulShutdown<A, P, S, B, F>
where
S: MakeServiceRef<A::Conn, B>,
P: Protocol<S::Service, A::Conn>,
A: Accept + Unpin,
B: Body,
F: Future<Output = ()>,
{
fn new(server: Server<A, P, S, B>, signal: F) -> Self {
let (tx, rx) = close();
let (tx2, rx2) = close();
Self {
server: server.into_future(),
signal,
channel: rx,
shutdown: tx,
finished: rx2.into_future(),
connection: tx2,
}
}
}
impl<A, P, S, B, F> fmt::Debug for GracefulShutdown<A, P, S, B, F>
where
S: MakeServiceRef<A::Conn, B>,
A: Accept,
{
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("GracefulShutdown").finish()
}
}
impl<A, P, S, Body, F> Future for GracefulShutdown<A, P, S, Body, F>
where
S: MakeServiceRef<A::Conn, Body>,
P: Protocol<S::Service, A::Conn>,
A: Accept + Unpin,
F: Future<Output = ()>,
{
type Output = Result<(), ServerError>;
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let mut this = self.project();
loop {
match this.signal.as_mut().poll(cx) {
Poll::Ready(()) => {
debug!("received shutdown signal");
this.shutdown.send();
return Poll::Ready(Ok(()));
}
Poll::Pending => {}
}
match this.server.as_mut().poll_once(cx) {
Poll::Ready(Ok(Some(conn))) => {
let shutdown_rx = this.channel.clone();
let mut finished_tx = this.connection.clone();
tokio::spawn(async move {
let mut shutdown = pin!(shutdown_rx
.into_future()
.fuse()
.instrument(conn.span().clone()));
let mut conn = pin!(conn);
loop {
tokio::select! {
rv = &mut conn.as_mut() => {
if let Err(error) = rv {
debug!("connection error: {}", error.into());
}
debug!("connection closed");
break;
},
_ = &mut shutdown => {
debug!("connection received shutdown signal");
conn.as_mut().inner_pin_mut().graceful_shutdown();
},
}
}
finished_tx.send();
tracing::trace!("finished serving connection");
});
}
Poll::Ready(Ok(None)) => {}
Poll::Ready(Err(e)) => return Poll::Ready(Err(e)),
Poll::Pending => return Poll::Pending,
}
match this.finished.as_mut().poll(cx) {
Poll::Ready(()) => {
debug!("all connections closed");
return Poll::Ready(Ok(()));
}
Poll::Pending => {}
}
}
}
}
/// An error that can occur when serving connections.
///
/// This error is only returned at the end of the server. Individual connection's
/// errors are discarded and not returned. To handle an individual connection's
/// error, apply a middleware which can process that error in the Service.
#[derive(Debug, thiserror::Error)]
pub enum ServerError {
/// Accept Error
#[error("accept error: {0}")]
Accept(#[source] BoxError),
/// IO Errors
#[error(transparent)]
Io(#[from] io::Error),
/// Errors from the MakeService part of the server.
#[error("make service: {0}")]
MakeService(#[source] BoxError),
}
impl ServerError {
fn accept<A>(error: A) -> Self
where
A: Into<BoxError>,
{
let boxed = error.into();
debug!("accept error: {}", boxed);
Self::Accept(boxed)
}
}
impl ServerError {
fn make<E>(error: E) -> Self
where
E: Into<BoxError>,
{
let boxed = error.into();
debug!("make service error: {}", boxed);
Self::MakeService(boxed)
}
fn ready<E>(error: E) -> Self
where
E: Into<BoxError>,
{
let boxed = error.into();
debug!("ready error: {}", boxed);
Self::MakeService(boxed)
}
}
#[cfg(test)]
mod tests {
use std::{
convert::Infallible,
future::{ready, IntoFuture},
};
use super::*;
use crate::{stream::duplex, Body};
use crate::service::make_service_fn;
use tower::service_fn;
#[allow(dead_code, unused_must_use)]
fn compile() {
let svc = make_service_fn(|_| {
ready(Ok::<_, Infallible>(service_fn(|_: http::Request<Body>| {
ready(Ok::<_, Infallible>(http::Response::new(crate::Body::from(
"hello",
))))
})))
});
let (_, incoming) = duplex::pair();
let server = Server::builder()
.with_acceptor(incoming)
.with_make_service(svc)
.with_auto_http();
server.into_future();
}
}