tokio_quiche/buf_factory.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//! Pooled buffers for zero-copy packet handling.
28//!
29//! tokio-quiche maintains multiple [`buffer_pool::Pool`] instances for the
30//! lifetime of the program. Buffers from those pools are used for received
31//! network packets and HTTP/3 data, which is passed directly to users of the
32//! crate. Outbound HTTP/3 data (like a message body or a datagram) is provided
33//! by users in the same format.
34//!
35//! [`BufFactory`] provides access to the crate's pools to create outbound
36//! buffers, but users can also use their own custom [`buffer_pool::Pool`]s.
37//! There are two types of built-in pools:
38//! - The generic buffer pool with very large buffers, which is used for stream
39//! data such as HTTP bodies.
40//! - The datagram pool, which retains buffers the size of a single UDP packet.
41
42use buffer_pool::ConsumeBuffer;
43use buffer_pool::Pool;
44use buffer_pool::Pooled;
45use datagram_socket::MAX_DATAGRAM_SIZE;
46
47const POOL_SHARDS: usize = 8;
48const POOL_SIZE: usize = 16 * 1024;
49const DATAGRAM_POOL_SIZE: usize = 64 * 1024;
50
51const TINY_BUF_SIZE: usize = 64;
52const SMALL_BUF_SIZE: usize = 1024;
53const MEDIUM_BUF_SIZE: usize = 4096;
54const MAX_POOL_BUF_SIZE: usize = 64 * 1024;
55
56type BufPool = Pool<POOL_SHARDS, ConsumeBuffer>;
57
58static TINY_POOL: BufPool = BufPool::new(TINY_BUF_SIZE, TINY_BUF_SIZE);
59static SMALL_POOL: BufPool = BufPool::new(SMALL_BUF_SIZE, SMALL_BUF_SIZE);
60static MEDIUM_POOL: BufPool = BufPool::new(MEDIUM_BUF_SIZE, MEDIUM_BUF_SIZE);
61
62/// A generic buffer pool used to pass data around without copying.
63static BUF_POOL: BufPool = BufPool::new(POOL_SIZE, MAX_POOL_BUF_SIZE);
64
65/// A datagram pool shared for both UDP streams, and incoming QUIC packets.
66static DATAGRAM_POOL: BufPool =
67 BufPool::new(DATAGRAM_POOL_SIZE, MAX_DATAGRAM_SIZE);
68
69/// A pooled byte buffer to pass stream data around without copying.
70pub type PooledBuf = Pooled<ConsumeBuffer>;
71/// A pooled byte buffer to pass datagrams around without copying.
72///
73/// The buffer type records a head offset, which allows cheaply inserting
74/// data at the front given sufficient capacity.
75pub type PooledDgram = Pooled<ConsumeBuffer>;
76
77#[cfg(feature = "zero-copy")]
78pub use self::zero_copy::QuicheBuf;
79
80/// Prefix size to reserve in a [`PooledDgram`]. Up to 8 bytes for the flow ID
81/// plus 1 byte for the flow context.
82const DGRAM_PREFIX: usize = 8 + 1;
83
84/// Handle to the crate's static buffer pools.
85#[derive(Default, Clone, Debug)]
86pub struct BufFactory;
87
88impl BufFactory {
89 /// The maximum size of the buffers in the generic pool. Larger buffers
90 /// will shrink to this size before returning to the pool.
91 pub const MAX_BUF_SIZE: usize = MAX_POOL_BUF_SIZE;
92 /// The maximum size of the buffers in the datagram pool.
93 pub const MAX_DGRAM_SIZE: usize = MAX_DATAGRAM_SIZE;
94
95 /// Creates an empty [`PooledBuf`] which is not taken from the pool. When
96 /// dropped, it may be assigned to the generic pool if no longer empty.
97 pub fn get_empty_buf() -> PooledBuf {
98 BUF_POOL.get_empty()
99 }
100
101 /// Creates an empty [`PooledDgram`] which is not taken from the pool. When
102 /// dropped, it may be assigned to the datagram pool if no longer empty.
103 pub fn get_empty_datagram() -> PooledDgram {
104 DATAGRAM_POOL.get_empty()
105 }
106
107 /// Fetches a `MAX_BUF_SIZE` sized [`PooledBuf`] from the generic pool.
108 pub fn get_max_buf() -> PooledBuf {
109 BUF_POOL.get_with(|d| d.expand(MAX_POOL_BUF_SIZE))
110 }
111
112 /// Fetches a `MAX_DATAGRAM_SIZE` sized [`PooledDgram`] from the datagram
113 /// pool.
114 pub fn get_max_datagram() -> PooledDgram {
115 DATAGRAM_POOL.get_with(|d| {
116 d.expand(MAX_DATAGRAM_SIZE);
117 // Make room to inject a prefix
118 d.pop_front(DGRAM_PREFIX);
119 })
120 }
121
122 /// Adds `dgram` to the datagram pool without copying it.
123 pub fn dgram_from_vec(dgram: Vec<u8>) -> PooledDgram {
124 DATAGRAM_POOL.from_owned(ConsumeBuffer::from_vec(dgram))
125 }
126
127 /// Fetches a [`PooledBuf`] from the generic pool and initializes it
128 /// with the contents of `slice`.
129 pub fn buf_from_slice(slice: &[u8]) -> PooledBuf {
130 #[allow(clippy::match_overlapping_arm)]
131 match slice.len() {
132 0 => TINY_POOL.get_empty(),
133 ..=TINY_BUF_SIZE => TINY_POOL.with_slice(slice),
134 ..=SMALL_BUF_SIZE => SMALL_POOL.with_slice(slice),
135 ..=MEDIUM_BUF_SIZE => MEDIUM_POOL.with_slice(slice),
136 _ => BUF_POOL.with_slice(slice),
137 }
138 }
139
140 /// Fetches a [`PooledDgram`] from the datagram pool and initializes it
141 /// with the contents of `slice`.
142 pub fn dgram_from_slice(slice: &[u8]) -> PooledDgram {
143 let mut dgram = Self::get_max_datagram();
144 dgram.truncate(0);
145 dgram.extend(slice);
146 dgram
147 }
148}
149
150#[cfg(feature = "zero-copy")]
151mod zero_copy {
152 use super::PooledBuf;
153 use quiche::BufSplit;
154
155 /// A pooled, splittable byte buffer for zero-copy [`quiche`] calls.
156 #[derive(Clone, Debug)]
157 pub struct QuicheBuf {
158 inner: triomphe::Arc<PooledBuf>,
159 start: usize,
160 end: usize,
161 }
162
163 impl QuicheBuf {
164 pub(crate) fn new(inner: PooledBuf) -> Self {
165 QuicheBuf {
166 start: 0,
167 end: inner.len(),
168 inner: triomphe::Arc::new(inner),
169 }
170 }
171 }
172
173 impl AsRef<[u8]> for QuicheBuf {
174 fn as_ref(&self) -> &[u8] {
175 &self.inner[self.start..self.end]
176 }
177 }
178
179 impl BufSplit for QuicheBuf {
180 fn split_at(&mut self, at: usize) -> Self {
181 assert!(self.start + at <= self.end);
182
183 let split = QuicheBuf {
184 inner: self.inner.clone(),
185 start: self.start + at,
186 end: self.end,
187 };
188
189 self.end = self.start + at;
190
191 split
192 }
193
194 fn try_add_prefix(&mut self, prefix: &[u8]) -> bool {
195 if self.start != 0 {
196 return false;
197 }
198
199 if let Some(unique) = triomphe::Arc::get_mut(&mut self.inner) {
200 if unique.add_prefix(prefix) {
201 self.end += prefix.len();
202 return true;
203 }
204 }
205
206 false
207 }
208 }
209
210 impl quiche::BufFactory for super::BufFactory {
211 type Buf = QuicheBuf;
212
213 fn buf_from_slice(buf: &[u8]) -> Self::Buf {
214 QuicheBuf::new(Self::buf_from_slice(buf))
215 }
216 }
217}