-
-
Notifications
You must be signed in to change notification settings - Fork 1.6k
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
docs(examples): Add graceful_shutdown example. (#3303)
- Loading branch information
1 parent
82b7fa5
commit 6a64a22
Showing
3 changed files
with
102 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,95 @@ | ||
#![deny(warnings)] | ||
|
||
use std::convert::Infallible; | ||
use std::net::SocketAddr; | ||
use std::time::Duration; | ||
|
||
use bytes::Bytes; | ||
use http_body_util::Full; | ||
use hyper::server::conn::http1; | ||
use hyper::service::service_fn; | ||
use hyper::{Request, Response}; | ||
use tokio::net::TcpListener; | ||
use tokio::pin; | ||
|
||
#[path = "../benches/support/mod.rs"] | ||
mod support; | ||
use support::TokioIo; | ||
|
||
// An async function that consumes a request, does nothing with it and returns a | ||
// response. | ||
async fn hello(_: Request<hyper::body::Incoming>) -> Result<Response<Full<Bytes>>, Infallible> { | ||
// Sleep for 6 seconds to simulate long processing. | ||
// This is longer than the initial 5 second connection timeout, | ||
// but within the 2 second graceful shutdown timeout. | ||
println!("in hello before sleep"); | ||
tokio::time::sleep(Duration::from_secs(6)).await; | ||
println!("in hello after sleep"); | ||
Ok(Response::new(Full::new(Bytes::from("Hello World!")))) | ||
} | ||
|
||
#[tokio::main] | ||
pub async fn main() -> Result<(), Box<dyn std::error::Error + Send + Sync>> { | ||
pretty_env_logger::init(); | ||
|
||
// This address is localhost | ||
let addr: SocketAddr = ([127, 0, 0, 1], 3000).into(); | ||
|
||
// Use a 5 second timeout for incoming connections to the server. | ||
// If a request is in progress when the 5 second timeout elapses, | ||
// use a 2 second timeout for processing the final request and graceful shutdown. | ||
let connection_timeouts = vec![Duration::from_secs(5), Duration::from_secs(2)]; | ||
|
||
// Bind to the port and listen for incoming TCP connections | ||
let listener = TcpListener::bind(addr).await?; | ||
println!("Listening on http://{}", addr); | ||
loop { | ||
// When an incoming TCP connection is received grab a TCP stream for | ||
// client<->server communication. | ||
let (tcp, remote_address) = listener.accept().await?; | ||
|
||
// Use an adapter to access something implementing `tokio::io` traits as if they implement | ||
// `hyper::rt` IO traits. | ||
let io = TokioIo::new(tcp); | ||
|
||
// Print the remote address connecting to our server. | ||
println!("accepted connection from {:?}", remote_address); | ||
|
||
// Clone the connection_timeouts so they can be passed to the new task. | ||
let connection_timeouts_clone = connection_timeouts.clone(); | ||
|
||
// Spin up a new task in Tokio so we can continue to listen for new TCP connection on the | ||
// current task without waiting for the processing of the HTTP1 connection we just received | ||
// to finish | ||
tokio::task::spawn(async move { | ||
// Pin the connection object so we can use tokio::select! below. | ||
let conn = http1::Builder::new().serve_connection(io, service_fn(hello)); | ||
pin!(conn); | ||
|
||
// Iterate the timeouts. Use tokio::select! to wait on the | ||
// result of polling the connection itself, | ||
// and also on tokio::time::sleep for the current timeout duration. | ||
for (iter, sleep_duration) in connection_timeouts_clone.iter().enumerate() { | ||
println!("iter = {} sleep_duration = {:?}", iter, sleep_duration); | ||
tokio::select! { | ||
res = conn.as_mut() => { | ||
// Polling the connection returned a result. | ||
// In this case print either the successful or error result for the connection | ||
// and break out of the loop. | ||
match res { | ||
Ok(()) => println!("after polling conn, no error"), | ||
Err(e) => println!("error serving connection: {:?}", e), | ||
}; | ||
break; | ||
} | ||
_ = tokio::time::sleep(*sleep_duration) => { | ||
// tokio::time::sleep returned a result. | ||
// Call graceful_shutdown on the connection and continue the loop. | ||
println!("iter = {} got timeout_interval, calling conn.graceful_shutdown", iter); | ||
conn.as_mut().graceful_shutdown(); | ||
} | ||
} | ||
} | ||
}); | ||
} | ||
} |