tokio_quiche/lib.rs
1// Copyright (C) 2025, Cloudflare, Inc.
2// All rights reserved.
3//
4// Redistribution and use in source and binary forms, with or without
5// modification, are permitted provided that the following conditions are
6// met:
7//
8// * Redistributions of source code must retain the above copyright notice,
9// this list of conditions and the following disclaimer.
10//
11// * Redistributions in binary form must reproduce the above copyright
12// notice, this list of conditions and the following disclaimer in the
13// documentation and/or other materials provided with the distribution.
14//
15// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS
16// IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO,
17// THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
18// PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR
19// CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
20// EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
21// PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
22// PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
23// LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
24// NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
25// SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
26
27//! Bridging the gap between [quiche] and [tokio].
28//!
29//! tokio-quiche connects [quiche::Connection]s and [quiche::h3::Connection]s to
30//! tokio's event loop. Users have the choice between implementing their own,
31//! custom [`ApplicationOverQuic`] or using the ready-made
32//! [H3Driver](crate::http3::driver::H3Driver) for HTTP/3 clients and servers.
33//!
34//! # Starting an HTTP/3 Server
35//!
36//! A server [`listen`]s on a UDP socket for QUIC connections and spawns a new
37//! tokio task to handle each individual connection.
38//!
39//! ```
40//! use futures::stream::StreamExt;
41//! use tokio_quiche::http3::settings::Http3Settings;
42//! use tokio_quiche::listen;
43//! use tokio_quiche::metrics::DefaultMetrics;
44//! use tokio_quiche::quic::SimpleConnectionIdGenerator;
45//! use tokio_quiche::ConnectionParams;
46//! use tokio_quiche::ServerH3Driver;
47//!
48//! # async fn example() -> tokio_quiche::QuicResult<()> {
49//! let socket = tokio::net::UdpSocket::bind("0.0.0.0:443").await?;
50//! let mut listeners = listen(
51//! [socket],
52//! ConnectionParams::default(),
53//! SimpleConnectionIdGenerator,
54//! DefaultMetrics,
55//! )?;
56//! let mut accept_stream = &mut listeners[0];
57//!
58//! while let Some(conn) = accept_stream.next().await {
59//! let (driver, mut controller) =
60//! ServerH3Driver::new(Http3Settings::default());
61//! conn?.start(driver);
62//!
63//! tokio::spawn(async move {
64//! // `controller` is the handle to our established HTTP/3 connection.
65//! // For example, inbound requests are available as H3Events via:
66//! let event = controller.event_receiver_mut().recv().await;
67//! });
68//! }
69//! # Ok(())
70//! # }
71//! ```
72//!
73//! For client-side use cases, check out our [`connect`](crate::quic::connect)
74//! API.
75//!
76//! # Feature Flags
77//!
78//! tokio-quiche supports a number of feature flags to enable experimental
79//! features, performance enhancements, and additional telemetry. By default, no
80//! feature flags are enabled.
81//!
82//! - `rpk`: Support for raw public keys (RPK) in QUIC handshakes (via
83//! [boring]).
84//! - `gcongestion`: Replace quiche's original congestion control implementation
85//! with one adapted from google/quiche (via quiche-mallard).
86//! - `zero-copy`: Use zero-copy sends with quiche-mallard (implies
87//! `gcongestion`).
88//! - `perf-quic-listener-metrics`: Extra telemetry for QUIC handshake
89//! durations, including protocol overhead and network delays.
90//! - `tokio-task-metrics`: Scheduling & poll duration histograms for tokio
91//! tasks.
92//!
93//! Other parts of the crate are enabled by separate build flags instead, to be
94//! controlled by the final binary:
95//!
96//! - `--cfg capture_keylogs`: Optional `SSLKEYLOGFILE` capturing for QUIC
97//! connections.
98
99#[cfg(not(feature = "gcongestion"))]
100pub extern crate quiche;
101#[cfg(feature = "gcongestion")]
102pub extern crate quiche_mallard as quiche;
103
104pub mod buf_factory;
105pub mod http3;
106pub mod metrics;
107pub mod quic;
108mod result;
109pub mod settings;
110pub mod socket;
111
112pub use buffer_pool;
113pub use datagram_socket;
114
115use foundations::telemetry::settings::LogVerbosity;
116use std::io;
117use std::sync::Arc;
118use std::sync::Once;
119use tokio::net::UdpSocket;
120use tokio_stream::wrappers::ReceiverStream;
121
122use crate::metrics::Metrics;
123use crate::socket::QuicListener;
124
125pub use crate::http3::driver::ClientH3Controller;
126pub use crate::http3::driver::ClientH3Driver;
127pub use crate::http3::driver::ServerH3Controller;
128pub use crate::http3::driver::ServerH3Driver;
129pub use crate::http3::ClientH3Connection;
130pub use crate::http3::ServerH3Connection;
131pub use crate::quic::connection::ApplicationOverQuic;
132pub use crate::quic::connection::ConnectionIdGenerator;
133pub use crate::quic::connection::InitialQuicConnection;
134pub use crate::quic::connection::QuicConnection;
135pub use crate::result::BoxError;
136pub use crate::result::QuicResult;
137pub use crate::settings::ConnectionParams;
138
139#[doc(hidden)]
140pub use crate::result::QuicResultExt;
141
142/// A stream of accepted [`InitialQuicConnection`]s from a [`listen`] call.
143///
144/// Errors from processing the client's QUIC initials can also be emitted on
145/// this stream. These do not indicate that the listener itself has failed.
146pub type QuicConnectionStream<M> =
147 ReceiverStream<io::Result<InitialQuicConnection<UdpSocket, M>>>;
148
149/// Starts listening for inbound QUIC connections on the given
150/// [`QuicListener`]s.
151///
152/// Each socket starts a separate tokio task to process and route inbound
153/// packets. This task emits connections on the respective
154/// [`QuicConnectionStream`] after receiving the client's QUIC initial and
155/// (optionally) validating its IP address.
156///
157/// The task shuts down when the returned stream is closed (or dropped) and all
158/// previously-yielded connections are closed.
159pub fn listen_with_capabilities<M>(
160 sockets: impl IntoIterator<Item = QuicListener>, params: ConnectionParams,
161 cid_generator: impl ConnectionIdGenerator<'static> + Clone, metrics: M,
162) -> io::Result<Vec<QuicConnectionStream<M>>>
163where
164 M: Metrics,
165{
166 if params.settings.capture_quiche_logs {
167 capture_quiche_logs();
168 }
169
170 sockets
171 .into_iter()
172 .map(|s| {
173 crate::quic::start_listener(
174 s,
175 ¶ms,
176 cid_generator.clone(),
177 metrics.clone(),
178 )
179 })
180 .collect()
181}
182
183/// Starts listening for inbound QUIC connections on the given `sockets`.
184///
185/// Each socket is converted into a [`QuicListener`] with defaulted socket
186/// parameters. The listeners are then passed to [`listen_with_capabilities`].
187pub fn listen<S, M>(
188 sockets: impl IntoIterator<Item = S>, params: ConnectionParams,
189 cid_generator: impl ConnectionIdGenerator<'static> + Clone, metrics: M,
190) -> io::Result<Vec<QuicConnectionStream<M>>>
191where
192 S: TryInto<QuicListener, Error = io::Error>,
193 M: Metrics,
194{
195 let quic_sockets: Vec<QuicListener> = sockets
196 .into_iter()
197 .map(|s| {
198 #[cfg_attr(not(target_os = "linux"), expect(unused_mut))]
199 let mut socket = s.try_into()?;
200 #[cfg(target_os = "linux")]
201 socket.apply_max_capabilities(
202 params.settings.max_send_udp_payload_size,
203 );
204 Ok(socket)
205 })
206 .collect::<io::Result<_>>()?;
207
208 listen_with_capabilities(quic_sockets, params, cid_generator, metrics)
209}
210
211static GLOBAL_LOGGER_ONCE: Once = Once::new();
212
213/// Forward Quiche logs into the slog::Drain currently used by Foundations
214///
215/// # Warning
216///
217/// This should **only be used for local debugging**. Quiche can potentially
218/// emit lots (and lots, and lots) of logs (the TRACE level emits a log record
219/// on every packet and frame) and you can very easily overwhelm your logging
220/// pipeline.
221///
222/// # Note
223///
224/// Quiche uses the `env_logger` crate, which uses `log` under the hood. `log`
225/// requires that you only set the global logger once. That means that we have
226/// to register the logger at `listen()` time for servers - for clients, we
227/// should register loggers when the `quiche::Connection` is established.
228pub(crate) fn capture_quiche_logs() {
229 GLOBAL_LOGGER_ONCE.call_once(|| {
230 use foundations::telemetry::log as foundations_log;
231 use log::Level as std_level;
232
233 let curr_logger =
234 Arc::clone(&foundations_log::slog_logger()).read().clone();
235 let scope_guard = slog_scope::set_global_logger(curr_logger);
236
237 // Convert slog::Level from Foundations settings to log::Level
238 let normalized_level = match foundations_log::verbosity() {
239 LogVerbosity::Critical | LogVerbosity::Error => std_level::Error,
240 LogVerbosity::Warning => std_level::Warn,
241 LogVerbosity::Info => std_level::Info,
242 LogVerbosity::Debug => std_level::Debug,
243 LogVerbosity::Trace => std_level::Trace,
244 };
245
246 slog_stdlog::init_with_level(normalized_level).unwrap();
247
248 // The slog Drain becomes `slog::Discard` when the scope_guard is dropped,
249 // and you can't set the global logger again because of a mandate
250 // in the `log` crate. We have to manually `forget` the scope
251 // guard so that the logger remains registered for the duration of the
252 // process.
253 std::mem::forget(scope_guard)
254 });
255}