tokio_quiche/quic/mod.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//! `async`-ified QUIC connections powered by [quiche].
28//!
29//! Hooking up a [quiche::Connection] to [tokio]'s executor and IO primitives
30//! requires an [`ApplicationOverQuic`] to control the connection. The
31//! application exposes a small number of callbacks which are executed whenever
32//! there is work to do with the connection.
33//!
34//! The primary entrypoints to set up a connection are [`listen`][listen] for
35//! servers and [`connect`] for clients.
36//! [`listen_with_capabilities`](crate::listen_with_capabilities)
37//! and [`connect_with_config`] exist for scenarios that require more in-depth
38//! configuration. Lastly, the [`raw`] submodule allows users to take full
39//! control over connection creation and its ingress path.
40//!
41//! # QUIC Connection Internals
42//!
43//! 
44//!
45//! *Note: Internal details are subject to change between minor versions.*
46//!
47//! tokio-quiche conceptually separates a network socket into a `recv` half and
48//! a `send` half. The `recv` half can only sensibly be used by one async task
49//! at a time, while many tasks can `send` packets on the socket concurrently.
50//! Thus, we spawn a dedicated `InboundPacketRouter` task for each socket which
51//! becomes the sole owner of the socket's `recv` half. It decodes the QUIC
52//! header in each packet, looks up the destination connection ID (DCID), and
53//! forwards the packet to the connection's `IoWorker` task.
54//!
55//! If the packet initiates a new connection, it is passed to an
56//! `InitialPacketHandler` with logic for either the client- or server-side
57//! connection setup. The purple `ConnectionAcceptor` depicted above is the
58//! server-side implementation. It optionally validates the client's IP
59//! address with a `RETRY` packet before packaging the nascent connection into
60//! an [`InitialQuicConnection`][iqc] and sending it to the
61//! [`QuicConnectionStream`] returned by [`listen`][listen].
62//!
63//! At this point the caller of [`listen`][listen] has control of the
64//! [`InitialQuicConnection`][iqc] (`IQC`). Now an `IoWorker` task needs to be
65//! spawned to continue driving the connection. This is possible with
66//! `IQC::handshake` or `IQC::start` (see the [`InitialQuicConnection`][iqc]
67//! docs). Client-side connections use the same infrastructure (except for the
68//! `InitialPacketHandler`), but [`connect`] immediately consumes the
69//! [`QuicConnectionStream`] and calls `IQC::start`.
70//!
71//! `IoWorker` is responsible for feeding inbound packets into the underlying
72//! [`quiche::Connection`], executing the [`ApplicationOverQuic`] callbacks, and
73//! flushing outbound packets to the network via the socket's shared `send`
74//! half. It loops through these operations in the order shown above, yielding
75//! only when sending packets and on `wait_for_data` calls. New inbound packets
76//! or a timeout can also restart the loop while `wait_for_data` is pending.
77//! This continues until the connection is closed or the [`ApplicationOverQuic`]
78//! returns an error.
79//!
80//! [listen]: crate::listen
81//! [iqc]: crate::InitialQuicConnection
82
83use std::sync::Arc;
84use std::time::Duration;
85
86use datagram_socket::DatagramSocketRecv;
87use datagram_socket::DatagramSocketSend;
88use foundations::telemetry::log;
89
90use crate::http3::settings::Http3Settings;
91use crate::metrics::DefaultMetrics;
92use crate::metrics::Metrics;
93use crate::settings::Config;
94use crate::socket::QuicListener;
95use crate::socket::Socket;
96use crate::ClientH3Controller;
97use crate::ClientH3Driver;
98use crate::ConnectionParams;
99use crate::QuicConnectionStream;
100use crate::QuicResult;
101use crate::QuicResultExt;
102
103mod addr_validation_token;
104pub(crate) mod connection;
105mod hooks;
106mod io;
107pub mod raw;
108mod router;
109
110use self::connection::ApplicationOverQuic;
111use self::connection::ConnectionIdGenerator;
112use self::connection::QuicConnection;
113use self::router::acceptor::ConnectionAcceptor;
114use self::router::acceptor::ConnectionAcceptorConfig;
115use self::router::connector::ClientConnector;
116use self::router::InboundPacketRouter;
117
118pub use self::connection::ConnectionShutdownBehaviour;
119pub use self::connection::HandshakeError;
120pub use self::connection::HandshakeInfo;
121pub use self::connection::Incoming;
122pub use self::connection::QuicCommand;
123pub use self::connection::QuicConnectionStats;
124pub use self::connection::SimpleConnectionIdGenerator;
125pub use self::hooks::ConnectionHook;
126
127/// Alias of [quiche::Connection] used internally by the crate.
128#[cfg(feature = "zero-copy")]
129pub type QuicheConnection = quiche::Connection<crate::buf_factory::BufFactory>;
130/// Alias of [quiche::Connection] used internally by the crate.
131#[cfg(not(feature = "zero-copy"))]
132pub type QuicheConnection = quiche::Connection;
133
134fn make_qlog_writer(
135 dir: &str, id: &str,
136) -> std::io::Result<std::io::BufWriter<std::fs::File>> {
137 let mut path = std::path::PathBuf::from(dir);
138 let filename = format!("{id}.sqlog");
139 path.push(filename);
140
141 let f = std::fs::File::create(&path)?;
142 Ok(std::io::BufWriter::new(f))
143}
144
145/// Connects to an HTTP/3 server using `socket` and the default client
146/// configuration.
147///
148/// This function always uses the [`ApplicationOverQuic`] provided in
149/// [`http3::driver`](crate::http3::driver) and returns a corresponding
150/// [ClientH3Controller]. To specify a different implementation or customize the
151/// configuration, use [`connect_with_config`].
152///
153/// # Note
154/// tokio-quiche currently only supports one client connection per socket.
155/// Sharing a socket among multiple connections will lead to lost packets as
156/// both connections try to read from the shared socket.
157pub async fn connect<Tx, Rx, S>(
158 socket: S, host: Option<&str>,
159) -> QuicResult<(QuicConnection, ClientH3Controller)>
160where
161 Tx: DatagramSocketSend + Send + 'static,
162 Rx: DatagramSocketRecv + Unpin + 'static,
163 S: TryInto<Socket<Tx, Rx>>,
164 S::Error: std::error::Error + Send + Sync + 'static,
165{
166 // Don't apply_max_capabilities(): some NICs don't support GSO
167 let socket: Socket<Tx, Rx> = socket.try_into()?;
168
169 let (h3_driver, h3_controller) =
170 ClientH3Driver::new(Http3Settings::default());
171 let mut params = ConnectionParams::default();
172 params.settings.max_idle_timeout = Some(Duration::from_secs(30));
173
174 Ok((
175 connect_with_config(socket, host, ¶ms, h3_driver).await?,
176 h3_controller,
177 ))
178}
179
180/// Connects to a QUIC server using `socket` and the provided
181/// [`ApplicationOverQuic`].
182///
183/// When the future resolves, the connection has completed its handshake and
184/// `app` is running in the worker task. In case the handshake failed, we close
185/// the connection automatically and the future will resolve with an error.
186///
187/// # Note
188/// tokio-quiche currently only supports one client connection per socket.
189/// Sharing a socket among multiple connections will lead to lost packets as
190/// both connections try to read from the shared socket.
191pub async fn connect_with_config<Tx, Rx, App>(
192 socket: Socket<Tx, Rx>, host: Option<&str>, params: &ConnectionParams<'_>,
193 app: App,
194) -> QuicResult<QuicConnection>
195where
196 Tx: DatagramSocketSend + Send + 'static,
197 Rx: DatagramSocketRecv + Unpin + 'static,
198 App: ApplicationOverQuic,
199{
200 let mut client_config = Config::new(params, socket.capabilities)?;
201 let scid = SimpleConnectionIdGenerator.new_connection_id(0);
202
203 #[cfg(feature = "zero-copy")]
204 let mut quiche_conn = quiche::connect_with_buffer_factory(
205 host,
206 &scid,
207 socket.local_addr,
208 socket.peer_addr,
209 client_config.as_mut(),
210 )?;
211
212 #[cfg(not(feature = "zero-copy"))]
213 let mut quiche_conn = quiche::connect(
214 host,
215 &scid,
216 socket.local_addr,
217 socket.peer_addr,
218 client_config.as_mut(),
219 )?;
220
221 log::info!("created unestablished quiche::Connection"; "scid" => ?scid);
222
223 // Set the qlog writer here instead of in the `ClientConnector` to avoid
224 // missing logs from early in the connection
225 if let Some(qlog_dir) = &client_config.qlog_dir {
226 log::info!("setting up qlogs"; "qlog_dir"=>qlog_dir);
227 let id = format!("{:?}", &scid);
228 if let Ok(writer) = make_qlog_writer(qlog_dir, &id) {
229 quiche_conn.set_qlog(
230 std::boxed::Box::new(writer),
231 "tokio-quiche qlog".to_string(),
232 format!("tokio-quiche qlog id={id}"),
233 );
234 }
235 }
236
237 // Set the keylog file here for the same reason
238 if let Some(keylog_file) = &client_config.keylog_file {
239 log::info!("setting up keylog file");
240 if let Ok(keylog_clone) = keylog_file.try_clone() {
241 quiche_conn.set_keylog(Box::new(keylog_clone));
242 }
243 }
244
245 let socket_tx = Arc::new(socket.send);
246 let socket_rx = socket.recv;
247
248 let (router, mut quic_connection_stream) = InboundPacketRouter::new(
249 client_config,
250 Arc::clone(&socket_tx),
251 socket_rx,
252 socket.local_addr,
253 ClientConnector::new(socket_tx, quiche_conn),
254 DefaultMetrics,
255 );
256
257 // drive the packet router:
258 tokio::spawn(async move {
259 match router.await {
260 Ok(()) => log::debug!("incoming packet router finished"),
261 Err(error) => {
262 log::error!("incoming packet router failed"; "error"=>error)
263 },
264 }
265 });
266
267 Ok(quic_connection_stream
268 .recv()
269 .await
270 .ok_or("unable to establish connection")??
271 .start(app))
272}
273
274pub(crate) fn start_listener<M>(
275 socket: QuicListener, params: &ConnectionParams,
276 cid_generator: impl ConnectionIdGenerator<'static>, metrics: M,
277) -> std::io::Result<QuicConnectionStream<M>>
278where
279 M: Metrics,
280{
281 #[cfg(unix)]
282 assert!(
283 datagram_socket::is_nonblocking(&socket).unwrap_or_default(),
284 "O_NONBLOCK should be set for the listening socket"
285 );
286
287 let config = Config::new(params, socket.capabilities).into_io()?;
288
289 let local_addr = socket.socket.local_addr()?;
290 let socket_tx = Arc::new(socket.socket);
291 let socket_rx = Arc::clone(&socket_tx);
292
293 let acceptor = ConnectionAcceptor::new(
294 ConnectionAcceptorConfig {
295 disable_client_ip_validation: config.disable_client_ip_validation,
296 qlog_dir: config.qlog_dir.clone(),
297 keylog_file: config
298 .keylog_file
299 .as_ref()
300 .and_then(|f| f.try_clone().ok()),
301 #[cfg(target_os = "linux")]
302 with_pktinfo: if local_addr.is_ipv4() {
303 config.has_ippktinfo
304 } else {
305 config.has_ipv6pktinfo
306 },
307 },
308 Arc::clone(&socket_tx),
309 socket.socket_cookie,
310 Default::default(),
311 Box::new(cid_generator),
312 metrics.clone(),
313 );
314
315 let (socket_driver, accept_stream) = InboundPacketRouter::new(
316 config,
317 socket_tx,
318 socket_rx,
319 local_addr,
320 acceptor,
321 metrics.clone(),
322 );
323
324 crate::metrics::tokio_task::spawn("quic_udp_listener", metrics, async move {
325 match socket_driver.await {
326 Ok(()) => log::trace!("incoming packet router finished"),
327 Err(error) => {
328 log::error!("incoming packet router failed"; "error"=>error)
329 },
330 }
331 });
332 Ok(QuicConnectionStream::new(accept_stream))
333}