packet/
lib.rs

1// Copyright 2018 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5//! Parsing and serialization of (network) packets.
6//!
7//! `packet` is a library to help with the parsing and serialization of nested
8//! packets. Network packets are the most common use case, but it supports any
9//! packet structure with headers, footers, and nesting.
10//!
11//! # Model
12//!
13//! The core components of `packet` are the various buffer traits (`XxxBuffer`
14//! and `XxxBufferMut`). A buffer is a byte buffer with a prefix, a body, and a
15//! suffix. The size of the buffer is referred to as its "capacity", and the
16//! size of the body is referred to as its "length". Depending on which traits
17//! are implemented, the body of the buffer may be able to shrink or grow as
18//! allowed by the capacity as packets are parsed or serialized.
19//!
20//! ## Parsing
21//!
22//! When parsing packets, the body of the buffer stores the next packet to be
23//! parsed. When a packet is parsed from the buffer, any headers, footers, and
24//! padding are "consumed" from the buffer. Thus, after a packet has been
25//! parsed, the body of the buffer is equal to the body of the packet, and the
26//! next call to `parse` will pick up where the previous call left off, parsing
27//! the next encapsulated packet.
28//!
29//! Packet objects - the Rust objects which are the result of a successful
30//! parsing operation - are advised to simply keep references into the buffer
31//! for the header, footer, and body. This avoids any unnecessary copying.
32//!
33//! For example, consider the following packet structure, in which a TCP segment
34//! is encapsulated in an IPv4 packet, which is encapsulated in an Ethernet
35//! frame. In this example, we omit the Ethernet Frame Check Sequence (FCS)
36//! footer. If there were any footers, they would be treated the same as
37//! headers, except that they would be consumed from the end and working towards
38//! the beginning, as opposed to headers, which are consumed from the beginning
39//! and working towards the end.
40//!
41//! Also note that, in order to satisfy Ethernet's minimum body size
42//! requirement, padding is added after the IPv4 packet. The IPv4 packet and
43//! padding together are considered the body of the Ethernet frame. If we were
44//! to include the Ethernet FCS footer in this example, it would go after the
45//! padding.
46//!
47//! ```text
48//! |-------------------------------------|++++++++++++++++++++|-----| TCP segment
49//! |-----------------|++++++++++++++++++++++++++++++++++++++++|-----| IPv4 packet
50//! |++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++| Ethernet frame
51//!
52//! |-----------------|-------------------|--------------------|-----|
53//!   Ethernet header      IPv4 header         TCP segment      Padding
54//! ```
55//!
56//! At first, the buffer's body would be equal to the bytes of the Ethernet
57//! frame (although depending on how the buffer was initialized, it might have
58//! extra capacity in addition to the body):
59//!
60//! ```text
61//! |-------------------------------------|++++++++++++++++++++|-----| TCP segment
62//! |-----------------|++++++++++++++++++++++++++++++++++++++++|-----| IPv4 packet
63//! |++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++| Ethernet frame
64//!
65//! |-----------------|-------------------|--------------------|-----|
66//!   Ethernet header      IPv4 header         TCP segment      Padding
67//!
68//! |----------------------------------------------------------------|
69//!                             Buffer Body
70//! ```
71//!
72//! First, the Ethernet frame is parsed. This results in a hypothetical
73//! `EthernetFrame` object (this library does not provide any concrete parsing
74//! implementations) with references into the buffer, and updates the body of
75//! the buffer to be equal to the body of the Ethernet frame:
76//!
77//! ```text
78//! |-------------------------------------|++++++++++++++++++++|-----| TCP segment
79//! |-----------------|++++++++++++++++++++++++++++++++++++++++|-----| IPv4 packet
80//! |++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++| Ethernet frame
81//!
82//! |-----------------|----------------------------------------------|
83//!   Ethernet header                  Ethernet body
84//!          |                                 |
85//!          +--------------------------+      |
86//!                                     |      |
87//!                   EthernetFrame { header, body }
88//!
89//! |-----------------|----------------------------------------------|
90//!    buffer prefix                   buffer body
91//! ```
92//!
93//! The `EthernetFrame` object mutably borrows the buffer. So long as it exists,
94//! the buffer cannot be used directly (although the `EthernetFrame` object may
95//! be used to access or modify the contents of the buffer). In order to parse
96//! the body of the Ethernet frame, we have to drop the `EthernetFrame` object
97//! so that we can call methods on the buffer again. \[1\]
98//!
99//! After dropping the `EthernetFrame` object, the IPv4 packet is parsed. Recall
100//! that the Ethernet body contains both the IPv4 packet and some padding. Since
101//! IPv4 packets encode their own length, the IPv4 packet parser is able to
102//! detect that some of the bytes it's operating on are padding bytes. It is the
103//! parser's responsibility to consume and discard these bytes so that they are
104//! not erroneously treated as part of the IPv4 packet's body in subsequent
105//! parsings.
106//!
107//! This parsing results in a hypothetical `Ipv4Packet` object with references
108//! into the buffer, and updates the body of the buffer to be equal to the body
109//! of the IPv4 packet:
110//!
111//! ```text
112//! |-------------------------------------|++++++++++++++++++++|-----| TCP segment
113//! |-----------------|++++++++++++++++++++++++++++++++++++++++|-----| IPv4 packet
114//! |++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++| Ethernet frame
115//!
116//! |-----------------|-------------------|--------------------|-----|
117//!                        IPv4 header          IPv4 body
118//!                             |                   |
119//!                             +-----------+       |
120//!                                         |       |
121//!                          Ipv4Packet { header, body }
122//!
123//! |-------------------------------------|--------------------|-----|
124//!              buffer prefix                 buffer body       buffer suffix
125//! ```
126//!
127//! We can continue this process as long as we like, repeatedly parsing
128//! subsequent packet bodies until there are no more packets to parse.
129//!
130//! \[1\] It is also possible to treat the `EthernetFrame`'s `body` field as a
131//! buffer and parse from it directly. However, this has the disadvantage that
132//! if parsing is spread across multiple functions, the functions which parse
133//! the inner packets only see part of the buffer, and so if they wish to later
134//! re-use the buffer for serializing new packets (see the "Serialization"
135//! section of this documentation), they are limited to doing so in a smaller
136//! buffer, making it more likely that a new buffer will need to be allocated.
137//!
138//! ## Serialization
139//!
140//! In this section, we will illustrate serialization using the same packet
141//! structure that was used to illustrate parsing - a TCP segment in an IPv4
142//! packet in an Ethernet frame.
143//!
144//! Serialization comprises two tasks:
145//! - First, given a buffer with sufficient capacity, and part of the packet
146//!   already serialized, serialize the next layer of the packet. For example,
147//!   given a buffer with a TCP segment already serialized in it, serialize the
148//!   IPv4 header, resulting in an IPv4 packet containing a TCP segment.
149//! - Second, given a description of a nested sequence of packets, figure out
150//!   the constraints that a buffer must satisfy in order to be able to fit the
151//!   entire sequence, and allocate a buffer which satisfies those constraints.
152//!   This buffer is then used to serialize one layer at a time, as described in
153//!   the previous bullet.
154//!
155//! ### Serializing into a buffer
156//!
157//! The [`PacketBuilder`] trait is implemented by types which are capable of
158//! serializing a new layer of a packet into an existing buffer. For example, we
159//! might define an `Ipv4PacketBuilder` type, which describes the source IP
160//! address, destination IP address, and any other metadata required to generate
161//! the header of an IPv4 packet. Importantly, a `PacketBuilder` does *not*
162//! define any encapsulated packets. In order to construct a TCP segment in an
163//! IPv4 packet, we would need a separate `TcpSegmentBuilder` to describe the
164//! TCP segment.
165//!
166//! A `PacketBuilder` exposes the number of bytes it requires for headers,
167//! footers, and minimum and maximum body lengths via the `constraints` method.
168//! It serializes via the `serialize` method.
169//!
170//! In order to serialize a `PacketBuilder`, a [`SerializeTarget`] must first be
171//! constructed. A `SerializeTarget` is a view into a buffer used for
172//! serialization, and it is initialized with the proper number of bytes for the
173//! header, footer, and body. The number of bytes required for these is
174//! discovered through calls to the `PacketBuilder`'s `constraints` method.
175//!
176//! The `PacketBuilder`'s `serialize` method serializes the headers and footers
177//! of the packet into the buffer. It expects that the `SerializeTarget` is
178//! initialized with a body equal to the body which will be encapsulated. For
179//! example, imagine that we are trying to serialize a TCP segment in an IPv4
180//! packet in an Ethernet frame, and that, so far, we have only serialized the
181//! TCP segment:
182//!
183//! ```text
184//! |-------------------------------------|++++++++++++++++++++|-----| TCP segment
185//! |-----------------|++++++++++++++++++++++++++++++++++++++++|-----| IPv4 packet
186//! |++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++| Ethernet frame
187//!
188//! |-------------------------------------|--------------------|-----|
189//!                                             TCP segment
190//!
191//! |-------------------------------------|--------------------|-----|
192//!              buffer prefix                 buffer body       buffer suffix
193//! ```
194//!
195//! Note that the buffer's body is currently equal to the TCP segment, and the
196//! contents of the body are already initialized to the segment's contents.
197//!
198//! Given an `Ipv4PacketBuilder`, we call the appropriate methods to discover
199//! that it requires 20 bytes for its header. Thus, we modify the buffer by
200//! extending the body by 20 bytes, and constructing a `SerializeTarget` whose
201//! header references the newly-added 20 bytes, and whose body references the
202//! old contents of the body, corresponding to the TCP segment.
203//!
204//! ```text
205//! |-------------------------------------|++++++++++++++++++++|-----| TCP segment
206//! |-----------------|++++++++++++++++++++++++++++++++++++++++|-----| IPv4 packet
207//! |++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++| Ethernet frame
208//!
209//! |-----------------|-------------------|--------------------|-----|
210//!                        IPv4 header          IPv4 body
211//!                             |                   |
212//!                             +-----------+       |
213//!                                         |       |
214//!                      SerializeTarget { header, body }
215//!
216//! |-----------------|----------------------------------------|-----|
217//!    buffer prefix                 buffer body                 buffer suffix
218//! ```
219//!
220//! We then pass the `SerializeTarget` to a call to the `Ipv4PacketBuilder`'s
221//! `serialize` method, and it serializes the IPv4 header in the space provided.
222//! When the call to `serialize` returns, the `SerializeTarget` and
223//! `Ipv4PacketBuilder` have been discarded, and the buffer's body is now equal
224//! to the bytes of the IPv4 packet.
225//!
226//! ```text
227//! |-------------------------------------|++++++++++++++++++++|-----| TCP segment
228//! |-----------------|++++++++++++++++++++++++++++++++++++++++|-----| IPv4 packet
229//! |++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++| Ethernet frame
230//!
231//! |-----------------|----------------------------------------|-----|
232//!                                  IPv4 packet
233//!
234//! |-----------------|----------------------------------------|-----|
235//!    buffer prefix                 buffer body                 buffer suffix
236//! ```
237//!
238//! Now, we are ready to repeat the same process with the Ethernet layer of the
239//! packet.
240//!
241//! ### Constructing a buffer for serialization
242//!
243//! Now that we know how, given a buffer with a subset of a packet serialized
244//! into it, we can serialize the next layer of the packet, we need to figure
245//! out how to construct such a buffer in the first place.
246//!
247//! The primary challenge here is that we need to be able to commit to what
248//! we're going to serialize before we actually serialize it. For example,
249//! consider sending a TCP segment to the network. From the perspective of the
250//! TCP module of our code, we don't know how large the buffer needs to be
251//! because don't know what packet layers our TCP segment will be encapsulated
252//! inside of. If the IP layer decides to route our segment over an Ethernet
253//! link, then we'll need to have a buffer large enough for a TCP segment in an
254//! IPv4 packet in an Ethernet segment. If, on the other hand, the IP layer
255//! decides to route our segment through a GRE tunnel, then we'll need to have a
256//! buffer large enough for a TCP segment in an IPv4 packet in a GRE packet in
257//! an IP packet in an Ethernet segment.
258//!
259//! We accomplish this commit-before-serializing via the [`Serializer`] trait. A
260//! `Serializer` describes a packet which can be serialized in the future, but
261//! which has not yet been serialized. Unlike a `PacketBuilder`, a `Serializer`
262//! describes all layers of a packet up to a certain point. For example, a
263//! `Serializer` might describe a TCP segment, or it might describe a TCP
264//! segment in an IP packet, or it might describe a TCP segment in an IP packet
265//! in an Ethernet frame, etc.
266//!
267//! #### Constructing a `Serializer`
268//!
269//! `Serializer`s are recursive - a `Serializer` combined with a `PacketBuilder`
270//! yields a new `Serializer` which describes encapsulating the original
271//! `Serializer` in a new packet layer. For example, a `Serializer` describing a
272//! TCP segment combined with an `Ipv4PacketBuilder` yields a `Serializer` which
273//! describes a TCP segment in an IPv4 packet. Concretely, given a `Serializer`,
274//! `s`, and a `PacketBuilder`, `b`, a new `Serializer` can be constructed by
275//! calling `s.encapsulate(b)`. The [`Serializer::encapsulate`] method consumes
276//! both the `Serializer` and the `PacketBuilder` by value, and returns a new
277//! `Serializer`.
278//!
279//! Note that, while `Serializer`s are passed around by value, they are only as
280//! large in memory as the `PacketBuilder`s they're constructed from, and those
281//! should, in most cases, be quite small. If size is a concern, the
282//! `PacketBuilder` trait can be implemented for a reference type (e.g.,
283//! `&Ipv4PacketBuilder`), and references passed around instead of values.
284//!
285//! #### Constructing a buffer from a `Serializer`
286//!
287//! If `Serializer`s are constructed by starting at the innermost packet layer
288//! and working outwards, adding packet layers, then in order to turn a
289//! `Serializer` into a buffer, they are consumed by starting at the outermost
290//! packet layer and working inwards.
291//!
292//! In order to construct a buffer, the [`Serializer::serialize`] method is
293//! provided. It takes a [`NestedPacketBuilder`], which describes one or more
294//! encapsulating packet layers. For example, when serializing a TCP segment in
295//! an IP packet in an Ethernet frame, the `serialize` call on the IP packet
296//! `Serializer` would be given a `NestedPacketBuilder` describing the Ethernet
297//! frame. This call would then compute a new `NestedPacketBuilder` describing
298//! the combined IP packet and Ethernet frame, and would pass this to a call to
299//! `serialize` on the TCP segment `Serializer`.
300//!
301//! When the innermost call to `serialize` is reached, it is that call's
302//! responsibility to produce a buffer which satisfies the constraints passed to
303//! it, and to initialize that buffer's body with the contents of its packet.
304//! For example, the TCP segment `Serializer` from the preceding example would
305//! need to produce a buffer with 38 bytes of prefix for the IP and Ethernet
306//! headers, and whose body was initialized to the bytes of the TCP segment.
307//!
308//! We can now see how `Serializer`s and `PacketBuilder`s compose - the buffer
309//! returned from a call to `serialize` satisfies the requirements of the
310//! `PacketBuilder::serialize` method - its body is initialized to the packet to
311//! be encapsulated, and enough prefix and suffix space exist to serialize this
312//! layer's header and footer. For example, the call to `Serializer::serialize`
313//! on the TCP segment serializer would return a buffer with 38 bytes of prefix
314//! and a body initialized to the bytes of the TCP segment. The call to
315//! `Serializer::serialize` on the IP packet would then pass this buffer to a
316//! call to `PacketBuilder::serialize` on its `Ipv4PacketBuilder`, resulting in
317//! a buffer with 18 bytes of prefix and a body initialized to the bytes of the
318//! entire IP packet. This buffer would then be suitable to return from the call
319//! to `Serializer::serialize`, allowing the Ethernet layer to continue
320//! operating on the buffer, and so on.
321//!
322//! Note in particular that, throughout this entire process of constructing
323//! `Serializer`s and `PacketBuilder`s and then consuming them, a buffer is only
324//! allocated once, and each byte of the packet is only serialized once. No
325//! temporary buffers or copying between buffers are required.
326//!
327//! #### Reusing buffers
328//!
329//! Another important property of the `Serializer` trait is that it can be
330//! implemented by buffers. Since buffers contain prefixes, bodies, and
331//! suffixes, and since the `Serializer::serialize` method consumes the
332//! `Serializer` by value and returns a buffer by value, a buffer is itself a
333//! valid `Serializer`. When `serialize` is called, so long as it already
334//! satisfies the constraints requested, it can simply return itself by value.
335//! If the constraints are not satisfied, it may need to produce a different
336//! buffer through some user-defined mechanism (see the [`BufferProvider`] trait
337//! for details).
338//!
339//! This allows existing buffers to be reused in many cases. For example,
340//! consider receiving a packet in a buffer, and then responding to that packet
341//! with a new packet. The buffer that the original packet was stored in can be
342//! used to serialize the new packet, avoiding any unnecessary allocation.
343
344/// Emits method impls for [`FragmentedBuffer`] which assume that the type is
345/// a contiguous buffer which implements [`AsRef`].
346macro_rules! fragmented_buffer_method_impls {
347    () => {
348        fn len(&self) -> usize {
349            self.as_ref().len()
350        }
351
352        fn with_bytes<R, F>(&self, f: F) -> R
353        where
354            F: for<'macro_a, 'macro_b> FnOnce(FragmentedBytes<'macro_a, 'macro_b>) -> R,
355        {
356            let mut bs = [AsRef::<[u8]>::as_ref(self)];
357            f(FragmentedBytes::new(&mut bs))
358        }
359
360        fn to_flattened_vec(&self) -> Vec<u8> {
361            self.as_ref().to_vec()
362        }
363    };
364}
365
366/// Emits method impls for [`FragmentedBufferMut`] which assume that the type is
367/// a contiguous buffer which implements [`AsMut`].
368macro_rules! fragmented_buffer_mut_method_impls {
369    () => {
370        fn with_bytes_mut<R, F>(&mut self, f: F) -> R
371        where
372            F: for<'macro_a, 'macro_b> FnOnce(FragmentedBytesMut<'macro_a, 'macro_b>) -> R,
373        {
374            let mut bs = [AsMut::<[u8]>::as_mut(self)];
375            f(FragmentedBytesMut::new(&mut bs))
376        }
377
378        fn zero_range<R>(&mut self, range: R)
379        where
380            R: RangeBounds<usize>,
381        {
382            let len = FragmentedBuffer::len(self);
383            let range = crate::canonicalize_range(len, &range);
384            crate::zero(&mut self.as_mut()[range.start..range.end]);
385        }
386
387        fn copy_within<R: RangeBounds<usize>>(&mut self, src: R, dest: usize) {
388            self.as_mut().copy_within(src, dest);
389        }
390    };
391}
392
393mod fragmented;
394pub mod records;
395pub mod serialize;
396mod util;
397
398pub use crate::fragmented::*;
399pub use crate::serialize::*;
400pub use crate::util::*;
401
402use std::convert::Infallible as Never;
403use std::ops::{Bound, Range, RangeBounds};
404use std::{cmp, mem};
405
406use zerocopy::{
407    FromBytes, FromZeros as _, Immutable, IntoBytes, KnownLayout, Ref, SplitByteSlice,
408    SplitByteSliceMut, Unaligned,
409};
410
411/// A buffer that may be fragmented in multiple parts which are discontiguous in
412/// memory.
413pub trait FragmentedBuffer {
414    /// Gets the total length, in bytes, of this `FragmentedBuffer`.
415    fn len(&self) -> usize;
416
417    /// Returns `true` if this `FragmentedBuffer` is empty.
418    fn is_empty(&self) -> bool {
419        self.len() == 0
420    }
421
422    /// Invokes a callback on a view into this buffer's contents as
423    /// [`FragmentedBytes`].
424    fn with_bytes<R, F>(&self, f: F) -> R
425    where
426        F: for<'a, 'b> FnOnce(FragmentedBytes<'a, 'b>) -> R;
427
428    /// Returns a flattened version of this buffer, copying its contents into a
429    /// [`Vec`].
430    fn to_flattened_vec(&self) -> Vec<u8> {
431        self.with_bytes(|b| b.to_flattened_vec())
432    }
433}
434
435/// A [`FragmentedBuffer`] with mutable access to its contents.
436pub trait FragmentedBufferMut: FragmentedBuffer {
437    /// Invokes a callback on a mutable view into this buffer's contents as
438    /// [`FragmentedBytesMut`].
439    fn with_bytes_mut<R, F>(&mut self, f: F) -> R
440    where
441        F: for<'a, 'b> FnOnce(FragmentedBytesMut<'a, 'b>) -> R;
442
443    /// Sets all bytes in `range` to zero.
444    ///
445    /// # Panics
446    ///
447    /// Panics if the provided `range` is not within the bounds of this
448    /// `FragmentedBufferMut`, or if the range is nonsensical (the end precedes
449    /// the start).
450    fn zero_range<R>(&mut self, range: R)
451    where
452        R: RangeBounds<usize>,
453    {
454        let len = self.len();
455        let range = canonicalize_range(len, &range);
456        self.with_bytes_mut(|mut b| {
457            zero_iter(b.iter_mut().skip(range.start).take(range.end - range.start))
458        })
459    }
460
461    /// Copies elements from one part of the `FragmentedBufferMut` to another
462    /// part of itself.
463    ///
464    /// `src` is the range within `self` to copy from. `dst` is the starting
465    /// index of the range within `self` to copy to, which will have the same
466    /// length as `src`. The two ranges may overlap. The ends of the two ranges
467    /// must be less than or equal to `self.len()`.
468    ///
469    /// # Panics
470    ///
471    /// Panics if either the source or destination range is out of bounds, or if
472    /// `src` is nonsensical (its end precedes its start).
473    fn copy_within<R: RangeBounds<usize>>(&mut self, src: R, dst: usize) {
474        self.with_bytes_mut(|mut b| b.copy_within(src, dst));
475    }
476
477    /// Copies all the bytes from another `FragmentedBuffer` `other` into
478    /// `self`.
479    ///
480    /// # Panics
481    ///
482    /// Panics if `self.len() != other.len()`.
483    fn copy_from<B: FragmentedBuffer>(&mut self, other: &B) {
484        self.with_bytes_mut(|dst| {
485            other.with_bytes(|src| {
486                let dst = dst.try_into_contiguous();
487                let src = src.try_into_contiguous();
488                match (dst, src) {
489                    (Ok(dst), Ok(src)) => {
490                        dst.copy_from_slice(src);
491                    }
492                    (Ok(dst), Err(src)) => {
493                        src.copy_into_slice(dst);
494                    }
495                    (Err(mut dst), Ok(src)) => {
496                        dst.copy_from_slice(src);
497                    }
498                    (Err(mut dst), Err(src)) => {
499                        dst.copy_from(&src);
500                    }
501                }
502            });
503        });
504    }
505}
506
507/// A buffer that is contiguous in memory.
508///
509/// If the implementing type is a buffer which exposes a prefix and a suffix,
510/// the [`AsRef`] implementation provides access only to the body. If [`AsMut`]
511/// is also implemented, it must provide access to the same bytes as [`AsRef`].
512pub trait ContiguousBuffer: FragmentedBuffer + AsRef<[u8]> {}
513
514/// A mutable buffer that is contiguous in memory.
515///
516/// If the implementing type is a buffer which exposes a prefix and a suffix,
517/// the [`AsMut`] implementation provides access only to the body.
518///
519/// `ContiguousBufferMut` is shorthand for `ContiguousBuffer +
520/// FragmentedBufferMut + AsMut<[u8]>`.
521pub trait ContiguousBufferMut: ContiguousBuffer + FragmentedBufferMut + AsMut<[u8]> {}
522impl<B: ContiguousBuffer + FragmentedBufferMut + AsMut<[u8]>> ContiguousBufferMut for B {}
523
524/// A buffer that can reduce its size.
525///
526/// A `ShrinkBuffer` is a buffer that can be reduced in size without the
527/// guarantee that the prefix or suffix will be retained. This is typically
528/// sufficient for parsing, but not for serialization.
529///
530/// # Notable implementations
531///
532/// `ShrinkBuffer` is implemented for byte slices - `&[u8]` and `&mut [u8]`.
533/// These types do not implement [`GrowBuffer`]; once bytes are consumed from
534/// their bodies, those bytes are discarded and cannot be recovered.
535pub trait ShrinkBuffer: FragmentedBuffer {
536    /// Shrinks the front of the body towards the end of the buffer.
537    ///
538    /// `shrink_front` consumes the `n` left-most bytes of the body, and adds
539    /// them to the prefix.
540    ///
541    /// # Panics
542    ///
543    /// Panics if `n` is larger than the body.
544    fn shrink_front(&mut self, n: usize);
545
546    /// Shrinks the buffer to be no larger than `len` bytes, consuming from the
547    /// front.
548    ///
549    /// `shrink_front_to` consumes as many of the left-most bytes of the body as
550    /// necessary to ensure that the buffer is no longer than `len` bytes. It
551    /// adds any bytes consumed to the prefix. If the body is already not longer
552    /// than `len` bytes, `shrink_front_to` does nothing.
553    fn shrink_front_to(&mut self, len: usize) {
554        let old_len = self.len();
555        let new_len = cmp::min(old_len, len);
556        self.shrink_front(old_len - new_len);
557    }
558
559    /// Shrinks the back of the body towards the beginning of the buffer.
560    ///
561    /// `shrink_back` consumes the `n` right-most bytes of the body, and adds
562    /// them to the suffix.
563    ///
564    /// # Panics
565    ///
566    /// Panics if `n` is larger than the body.
567    fn shrink_back(&mut self, n: usize);
568
569    /// Shrinks the buffer to be no larger than `len` bytes, consuming from the
570    /// back.
571    ///
572    /// `shrink_back_to` consumes as many of the right-most bytes of the body as
573    /// necessary to ensure that the buffer is no longer than `len` bytes.
574    /// It adds any bytes consumed to the suffix. If the body is already no
575    /// longer than `len` bytes, `shrink_back_to` does nothing.
576    fn shrink_back_to(&mut self, len: usize) {
577        let old_len = self.len();
578        let new_len = cmp::min(old_len, len);
579        self.shrink_back(old_len - new_len);
580    }
581
582    /// Shrinks the body.
583    ///
584    /// `shrink` shrinks the body to be equal to `range` of the previous body.
585    /// Any bytes preceding the range are added to the prefix, and any bytes
586    /// following the range are added to the suffix.
587    ///
588    /// # Panics
589    ///
590    /// Panics if `range` is out of bounds of the body, or if the range
591    /// is nonsensical (the end precedes the start).
592    fn shrink<R: RangeBounds<usize>>(&mut self, range: R) {
593        let len = self.len();
594        let range = canonicalize_range(len, &range);
595        self.shrink_front(range.start);
596        self.shrink_back(len - range.end);
597    }
598}
599
600/// A byte buffer used for parsing.
601///
602/// A `ParseBuffer` is a [`ContiguousBuffer`] that can shrink in size.
603///
604/// While a `ParseBuffer` allows the ranges covered by its prefix, body, and
605/// suffix to be modified, it only provides immutable access to their contents.
606/// For mutable access, see [`ParseBufferMut`].
607///
608/// # Notable implementations
609///
610/// `ParseBuffer` is implemented for byte slices - `&[u8]` and `&mut [u8]`.
611/// These types do not implement [`GrowBuffer`]; once bytes are consumed from
612/// their bodies, those bytes are discarded and cannot be recovered.
613pub trait ParseBuffer: ShrinkBuffer + ContiguousBuffer {
614    /// Parses a packet from the body.
615    ///
616    /// `parse` parses a packet from the body by invoking [`P::parse`] on a
617    /// [`BufferView`] into this buffer. Any bytes consumed from the
618    /// `BufferView` are also consumed from the body, and added to the prefix or
619    /// suffix. After `parse` has returned, the buffer's body will contain only
620    /// those bytes which were not consumed by the call to `P::parse`.
621    ///
622    /// See the [`BufferView`] and [`ParsablePacket`] documentation for more
623    /// details.
624    ///
625    /// [`P::parse`]: ParsablePacket::parse
626    fn parse<'a, P: ParsablePacket<&'a [u8], ()>>(&'a mut self) -> Result<P, P::Error> {
627        self.parse_with(())
628    }
629
630    /// Parses a packet with arguments.
631    ///
632    /// `parse_with` is like [`parse`], but it accepts arguments to pass to
633    /// [`P::parse`].
634    ///
635    /// [`parse`]: ParseBuffer::parse
636    /// [`P::parse`]: ParsablePacket::parse
637    fn parse_with<'a, ParseArgs, P: ParsablePacket<&'a [u8], ParseArgs>>(
638        &'a mut self,
639        args: ParseArgs,
640    ) -> Result<P, P::Error>;
641}
642
643/// A [`ParseBuffer`] which provides mutable access to its contents.
644///
645/// While a [`ParseBuffer`] allows the ranges covered by its prefix, body, and
646/// suffix to be modified, it only provides immutable access to their contents.
647/// A `ParseBufferMut`, on the other hand, provides mutable access to the
648/// contents of its prefix, body, and suffix.
649///
650/// # Notable implementations
651///
652/// `ParseBufferMut` is implemented for mutable byte slices - `&mut [u8]`.
653/// Mutable byte slices do not implement [`GrowBuffer`] or [`GrowBufferMut`];
654/// once bytes are consumed from their bodies, those bytes are discarded and
655/// cannot be recovered.
656pub trait ParseBufferMut: ParseBuffer + ContiguousBufferMut {
657    /// Parses a mutable packet from the body.
658    ///
659    /// `parse_mut` is like [`ParseBuffer::parse`], but instead of calling
660    /// [`P::parse`] on a [`BufferView`], it calls [`P::parse_mut`] on a
661    /// [`BufferViewMut`]. The effect is that the parsed packet can contain
662    /// mutable references to the buffer. This can be useful if you want to
663    /// modify parsed packets in-place.
664    ///
665    /// Depending on the implementation of [`P::parse_mut`], the contents
666    /// of the buffer may be modified during parsing.
667    ///
668    /// See the [`BufferViewMut`] and [`ParsablePacket`] documentation for more
669    /// details.
670    ///
671    /// [`P::parse`]: ParsablePacket::parse
672    /// [`P::parse_mut`]: ParsablePacket::parse_mut
673    fn parse_mut<'a, P: ParsablePacket<&'a mut [u8], ()>>(&'a mut self) -> Result<P, P::Error> {
674        self.parse_with_mut(())
675    }
676
677    /// Parses a mutable packet with arguments.
678    ///
679    /// `parse_with_mut` is like [`parse_mut`], but it accepts arguments to pass
680    /// to [`P::parse_mut`].
681    ///
682    /// [`parse_mut`]: ParseBufferMut::parse_mut
683    /// [`P::parse_mut`]: ParsablePacket::parse_mut
684    fn parse_with_mut<'a, ParseArgs, P: ParsablePacket<&'a mut [u8], ParseArgs>>(
685        &'a mut self,
686        args: ParseArgs,
687    ) -> Result<P, P::Error>;
688}
689
690/// A buffer that can grow its body by taking space from its prefix and suffix.
691///
692/// A `GrowBuffer` is a byte buffer with a prefix, a body, and a suffix. The
693/// size of the buffer is referred to as its "capacity", and the size of the
694/// body is referred to as its "length". The body of the buffer can shrink or
695/// grow as allowed by the capacity as packets are parsed or serialized.
696///
697/// A `GrowBuffer` guarantees never to discard bytes from the prefix or suffix,
698/// which is an important requirement for serialization. \[1\] For parsing, this
699/// guarantee is not needed. The subset of methods which do not require this
700/// guarantee are defined in the [`ShrinkBuffer`] trait, which does not have
701/// this requirement.
702///
703/// While a `GrowBuffer` allows the ranges covered by its prefix, body, and
704/// suffix to be modified, it only provides immutable access to their contents.
705/// For mutable access, see [`GrowBufferMut`].
706///
707/// If a type implements `GrowBuffer`, then its implementations of the methods
708/// on [`FragmentedBuffer`] provide access only to the buffer's body. In
709/// particular, [`len`] returns the body's length, [`with_bytes`] provides
710/// access to the body, and [`to_flattened_vec`] returns a copy of the body.
711///
712/// \[1\] If `GrowBuffer`s could shrink their prefix or suffix, then it would
713/// not be possible to guarantee that a call to [`undo_parse`] wouldn't panic.
714/// `undo_parse` is used when retaining previously-parsed packets for
715/// serialization, which is useful in scenarios such as packet forwarding.
716///
717/// [`len`]: FragmentedBuffer::len
718/// [`with_bytes`]: FragmentedBuffer::with_bytes
719/// [`to_flattened_vec`]: FragmentedBuffer::to_flattened_vec
720/// [`undo_parse`]: GrowBuffer::undo_parse
721pub trait GrowBuffer: FragmentedBuffer {
722    /// Gets a view into the parts of this `GrowBuffer`.
723    ///
724    /// Calls `f`, passing the prefix, body, and suffix as arguments (in that
725    /// order).
726    fn with_parts<O, F>(&self, f: F) -> O
727    where
728        F: for<'a, 'b> FnOnce(&'a [u8], FragmentedBytes<'a, 'b>, &'a [u8]) -> O;
729
730    /// The capacity of the buffer.
731    ///
732    /// `b.capacity()` is equivalent to `b.prefix_len() + b.len() +
733    /// b.suffix_len()`.
734    fn capacity(&self) -> usize {
735        self.with_parts(|prefix, body, suffix| prefix.len() + body.len() + suffix.len())
736    }
737
738    /// The length of the prefix.
739    fn prefix_len(&self) -> usize {
740        self.with_parts(|prefix, _body, _suffix| prefix.len())
741    }
742
743    /// The length of the suffix.
744    fn suffix_len(&self) -> usize {
745        self.with_parts(|_prefix, _body, suffix| suffix.len())
746    }
747
748    /// Grows the front of the body towards Growf the buffer.
749    ///
750    /// `grow_front` consumes the right-most `n` bytes of the prefix, and adds
751    /// them to the body.
752    ///
753    /// # Panics
754    ///
755    /// Panics if `n` is larger than the prefix.
756    fn grow_front(&mut self, n: usize);
757
758    /// Grows the back of the body towards the end of the buffer.
759    ///
760    /// `grow_back` consumes the left-most `n` bytes of the suffix, and adds
761    /// them to the body.
762    ///
763    /// # Panics
764    ///
765    /// Panics if `n` is larger than the suffix.
766    fn grow_back(&mut self, n: usize);
767
768    /// Resets the body to be equal to the entire buffer.
769    ///
770    /// `reset` consumes the entire prefix and suffix, adding them to the body.
771    fn reset(&mut self) {
772        self.grow_front(self.prefix_len());
773        self.grow_back(self.suffix_len());
774    }
775
776    /// Undoes the effects of a previous parse in preparation for serialization.
777    ///
778    /// `undo_parse` undoes the effects of having previously parsed a packet by
779    /// consuming the appropriate number of bytes from the prefix and suffix.
780    /// After a call to `undo_parse`, the buffer's body will contain the bytes
781    /// of the previously-parsed packet, including any headers or footers. This
782    /// allows a previously-parsed packet to be used in serialization.
783    ///
784    /// `undo_parse` takes a [`ParseMetadata`], which can be obtained from
785    /// [`ParsablePacket::parse_metadata`].
786    ///
787    /// `undo_parse` must always be called starting with the most recently
788    /// parsed packet, followed by the second most recently parsed packet, and
789    /// so on. Otherwise, it may panic, and in any case, almost certainly won't
790    /// produce the desired buffer contents.
791    ///
792    /// # Padding
793    ///
794    /// If, during parsing, a packet encountered post-packet padding that was
795    /// discarded (see the documentation on [`ParsablePacket::parse`]), calling
796    /// `undo_parse` on the `ParseMetadata` from that packet will not undo the
797    /// effects of consuming and discarding that padding. The reason for this is
798    /// that the padding is not considered part of the packet itself (the body
799    /// it was parsed from can be thought of comprising the packet and
800    /// post-packet padding back-to-back).
801    ///
802    /// Calling `undo_parse` on the next encapsulating packet (the one whose
803    /// body contained the padding) will undo those effects.
804    ///
805    /// # Panics
806    ///
807    /// `undo_parse` may panic if called in the wrong order. See the first
808    /// section of this documentation for details.
809    fn undo_parse(&mut self, meta: ParseMetadata) {
810        if self.len() < meta.body_len {
811            // There were padding bytes which were stripped when parsing the
812            // encapsulated packet. We need to add them back in order to restore
813            // the original packet.
814            let len = self.len();
815            self.grow_back(meta.body_len - len);
816        }
817        self.grow_front(meta.header_len);
818        self.grow_back(meta.footer_len);
819    }
820}
821
822/// A [`GrowBuffer`] which provides mutable access to its contents.
823///
824/// While a [`GrowBuffer`] allows the ranges covered by its prefix, body, and
825/// suffix to be modified, it only provides immutable access to their contents.
826/// A `GrowBufferMut`, on the other hand, provides mutable access to the
827/// contents of its prefix, body, and suffix.
828pub trait GrowBufferMut: GrowBuffer + FragmentedBufferMut {
829    /// Gets a mutable view into the parts of this `GrowBufferMut`.
830    ///
831    /// Calls `f`, passing the prefix, body, and suffix as arguments (in that
832    /// order).
833    fn with_parts_mut<O, F>(&mut self, f: F) -> O
834    where
835        F: for<'a, 'b> FnOnce(&'a mut [u8], FragmentedBytesMut<'a, 'b>, &'a mut [u8]) -> O;
836
837    /// Extends the front of the body towards the beginning of the buffer,
838    /// zeroing the new bytes.
839    ///
840    /// `grow_front_zero` calls [`GrowBuffer::grow_front`] and sets the
841    /// newly-added bytes to 0. This can be useful when serializing to ensure
842    /// that the contents of packets previously stored in the buffer are not
843    /// leaked.
844    fn grow_front_zero(&mut self, n: usize) {
845        self.grow_front(n);
846        self.zero_range(..n);
847    }
848
849    /// Extends the back of the body towards the end of the buffer, zeroing the
850    /// new bytes.
851    ///
852    /// `grow_back_zero` calls [`GrowBuffer::grow_back`] and sets the
853    /// newly-added bytes to 0. This can be useful when serializing to ensure
854    /// that the contents of packets previously stored in the buffer are not
855    /// leaked.
856    fn grow_back_zero(&mut self, n: usize) {
857        let old_len = self.len();
858        self.grow_back(n);
859        self.zero_range(old_len..);
860    }
861
862    /// Resets the body to be equal to the entire buffer, zeroing the new bytes.
863    ///
864    /// Like [`GrowBuffer::reset`], `reset_zero` consumes the entire prefix and
865    /// suffix, adding them to the body. It sets these bytes to 0. This can be
866    /// useful when serializing to ensure that the contents of packets
867    /// previously stored in the buffer are not leaked.
868    fn reset_zero(&mut self) {
869        self.grow_front_zero(self.prefix_len());
870        self.grow_back_zero(self.suffix_len());
871    }
872
873    /// Serializes a packet in the buffer.
874    ///
875    /// *This method is usually called by this crate during the serialization of
876    /// a [`Serializer`], not directly by the user.*
877    ///
878    /// `serialize` serializes the packet described by `builder` into the
879    /// buffer. The body of the buffer is used as the body of the packet, and
880    /// the prefix and suffix of the buffer are used to serialize the packet's
881    /// header and footer.
882    ///
883    /// If `builder` has a minimum body size which is larger than the current
884    /// body, then `serialize` first grows the body to the right (towards the
885    /// end of the buffer) with padding bytes in order to meet the minimum body
886    /// size. This is transparent to the `builder` - it always just sees a body
887    /// which meets the minimum body size requirement.
888    ///
889    /// The added padding is zeroed in order to avoid leaking the contents of
890    /// packets previously stored in the buffer.
891    ///
892    /// # Panics
893    ///
894    /// `serialize` panics if there are not enough prefix or suffix bytes to
895    /// serialize the packet. In particular, `b.serialize(builder)` with `c =
896    /// builder.constraints()` panics if either of the following hold:
897    /// - `b.prefix_len() < c.header_len()`
898    /// - `b.len() + b.suffix_len() < c.min_body_bytes() + c.footer_len()`
899    #[doc(hidden)]
900    fn serialize<B: PacketBuilder>(&mut self, builder: B) {
901        let c = builder.constraints();
902        if self.len() < c.min_body_len() {
903            // The body isn't large enough to satisfy the minimum body length
904            // requirement, so we add padding.
905
906            // SECURITY: Use _zero to ensure we zero padding bytes to prevent
907            // leaking information from packets previously stored in this
908            // buffer.
909            let len = self.len();
910            self.grow_back_zero(c.min_body_len() - len);
911        }
912
913        // These aren't necessary for correctness (grow_xxx_zero will panic
914        // under the same conditions that these assertions will fail), but they
915        // provide nicer error messages for debugging.
916        debug_assert!(
917            self.prefix_len() >= c.header_len(),
918            "prefix ({} bytes) too small to serialize header ({} bytes)",
919            self.prefix_len(),
920            c.header_len()
921        );
922        debug_assert!(
923            self.suffix_len() >= c.footer_len(),
924            "suffix ({} bytes) too small to serialize footer ({} bytes)",
925            self.suffix_len(),
926            c.footer_len()
927        );
928
929        self.with_parts_mut(|prefix, body, suffix| {
930            let header = prefix.len() - c.header_len();
931            let header = &mut prefix[header..];
932            let footer = &mut suffix[..c.footer_len()];
933            // SECURITY: zero here is technically unnecessary since it's
934            // PacketBuilder::serialize's responsibility to zero/initialize the
935            // header and footer, but we do it anyway to hedge against
936            // non-compliant PacketBuilder::serialize implementations. If this
937            // becomes a performance issue, we can revisit it, but the optimizer
938            // will probably take care of it for us.
939            zero(header);
940            zero(footer);
941            builder.serialize(&mut SerializeTarget { header, footer }, body);
942        });
943
944        self.grow_front(c.header_len());
945        self.grow_back(c.footer_len());
946    }
947}
948
949/// A byte buffer that can be serialized into multiple times.
950///
951/// `ReusableBuffer` is a shorthand for `GrowBufferMut + ShrinkBuffer`. A
952/// `ReusableBuffer` can be serialized into multiple times - the
953/// [`ShrinkBuffer`] implementation allows the buffer's capacity to be reclaimed
954/// for a new serialization pass.
955pub trait ReusableBuffer: GrowBufferMut + ShrinkBuffer {}
956impl<B> ReusableBuffer for B where B: GrowBufferMut + ShrinkBuffer {}
957
958/// A byte buffer used for parsing that can grow back to its original size.
959///
960/// `Buffer` owns its backing memory and so implies `GrowBuffer + ParseBuffer`.
961/// A `Buffer` can be used for parsing (via [`ParseBuffer`]) and then grow back
962/// to its original size (via [`GrowBuffer`]). Since it owns the backing memory,
963/// it also provides the ability to provide both a parsed and un-parsed view
964/// into a packet via [`Buffer::parse_with_view`].
965pub trait Buffer: GrowBuffer + ParseBuffer {
966    /// Like [`ParseBuffer::parse_with`] but additionally provides an
967    /// un-structured view into the parsed data on successful parsing.
968    fn parse_with_view<'a, ParseArgs, P: ParsablePacket<&'a [u8], ParseArgs>>(
969        &'a mut self,
970        args: ParseArgs,
971    ) -> Result<(P, &'a [u8]), P::Error>;
972}
973
974/// A byte buffer used for parsing and serialization.
975///
976/// `BufferMut` is a shorthand for `GrowBufferMut + ParseBufferMut`. A
977/// `BufferMut` can be used for parsing (via [`ParseBufferMut`]) and
978/// serialization (via [`GrowBufferMut`]).
979pub trait BufferMut: GrowBufferMut + ParseBufferMut + Buffer {}
980impl<B> BufferMut for B where B: GrowBufferMut + ParseBufferMut + Buffer {}
981
982/// An empty buffer.
983///
984/// An `EmptyBuf` is a buffer with 0 bytes of length or capacity. It implements
985/// all of the buffer traits (`XxxBuffer` and `XxxBufferMut`) and both buffer
986/// view traits ([`BufferView`] and [`BufferViewMut`]).
987#[derive(Copy, Clone, Debug, Eq, PartialEq)]
988pub struct EmptyBuf;
989
990impl AsRef<[u8]> for EmptyBuf {
991    #[inline]
992    fn as_ref(&self) -> &[u8] {
993        &[]
994    }
995}
996impl AsMut<[u8]> for EmptyBuf {
997    #[inline]
998    fn as_mut(&mut self) -> &mut [u8] {
999        &mut []
1000    }
1001}
1002impl FragmentedBuffer for EmptyBuf {
1003    fragmented_buffer_method_impls!();
1004}
1005impl FragmentedBufferMut for EmptyBuf {
1006    fragmented_buffer_mut_method_impls!();
1007}
1008impl ContiguousBuffer for EmptyBuf {}
1009impl ShrinkBuffer for EmptyBuf {
1010    #[inline]
1011    fn shrink_front(&mut self, n: usize) {
1012        assert_eq!(n, 0);
1013    }
1014    #[inline]
1015    fn shrink_back(&mut self, n: usize) {
1016        assert_eq!(n, 0);
1017    }
1018}
1019impl ParseBuffer for EmptyBuf {
1020    #[inline]
1021    fn parse_with<'a, ParseArgs, P: ParsablePacket<&'a [u8], ParseArgs>>(
1022        &'a mut self,
1023        args: ParseArgs,
1024    ) -> Result<P, P::Error> {
1025        P::parse(EmptyBuf, args)
1026    }
1027}
1028impl ParseBufferMut for EmptyBuf {
1029    #[inline]
1030    fn parse_with_mut<'a, ParseArgs, P: ParsablePacket<&'a mut [u8], ParseArgs>>(
1031        &'a mut self,
1032        args: ParseArgs,
1033    ) -> Result<P, P::Error> {
1034        P::parse_mut(EmptyBuf, args)
1035    }
1036}
1037impl GrowBuffer for EmptyBuf {
1038    #[inline]
1039    fn with_parts<O, F>(&self, f: F) -> O
1040    where
1041        F: for<'a, 'b> FnOnce(&'a [u8], FragmentedBytes<'a, 'b>, &'a [u8]) -> O,
1042    {
1043        f(&[], FragmentedBytes::new_empty(), &[])
1044    }
1045    #[inline]
1046    fn grow_front(&mut self, n: usize) {
1047        assert_eq!(n, 0);
1048    }
1049    #[inline]
1050    fn grow_back(&mut self, n: usize) {
1051        assert_eq!(n, 0);
1052    }
1053}
1054impl GrowBufferMut for EmptyBuf {
1055    fn with_parts_mut<O, F>(&mut self, f: F) -> O
1056    where
1057        F: for<'a, 'b> FnOnce(&'a mut [u8], FragmentedBytesMut<'a, 'b>, &'a mut [u8]) -> O,
1058    {
1059        f(&mut [], FragmentedBytesMut::new_empty(), &mut [])
1060    }
1061}
1062impl<'a> BufferView<&'a [u8]> for EmptyBuf {
1063    #[inline]
1064    fn len(&self) -> usize {
1065        0
1066    }
1067    #[inline]
1068    fn take_front(&mut self, n: usize) -> Option<&'a [u8]> {
1069        if n > 0 {
1070            return None;
1071        }
1072        Some(&[])
1073    }
1074    #[inline]
1075    fn take_back(&mut self, n: usize) -> Option<&'a [u8]> {
1076        if n > 0 {
1077            return None;
1078        }
1079        Some(&[])
1080    }
1081    #[inline]
1082    fn into_rest(self) -> &'a [u8] {
1083        &[]
1084    }
1085}
1086impl<'a> BufferView<&'a mut [u8]> for EmptyBuf {
1087    #[inline]
1088    fn len(&self) -> usize {
1089        0
1090    }
1091    #[inline]
1092    fn take_front(&mut self, n: usize) -> Option<&'a mut [u8]> {
1093        if n > 0 {
1094            return None;
1095        }
1096        Some(&mut [])
1097    }
1098    #[inline]
1099    fn take_back(&mut self, n: usize) -> Option<&'a mut [u8]> {
1100        if n > 0 {
1101            return None;
1102        }
1103        Some(&mut [])
1104    }
1105    #[inline]
1106    fn into_rest(self) -> &'a mut [u8] {
1107        &mut []
1108    }
1109}
1110impl<'a> BufferViewMut<&'a mut [u8]> for EmptyBuf {}
1111impl Buffer for EmptyBuf {
1112    fn parse_with_view<'a, ParseArgs, P: ParsablePacket<&'a [u8], ParseArgs>>(
1113        &'a mut self,
1114        args: ParseArgs,
1115    ) -> Result<(P, &'a [u8]), P::Error> {
1116        self.parse_with(args).map(|r| (r, [].as_slice()))
1117    }
1118}
1119
1120impl FragmentedBuffer for Never {
1121    fn len(&self) -> usize {
1122        match *self {}
1123    }
1124
1125    fn with_bytes<R, F>(&self, _f: F) -> R
1126    where
1127        F: for<'a, 'b> FnOnce(FragmentedBytes<'a, 'b>) -> R,
1128    {
1129        match *self {}
1130    }
1131}
1132impl FragmentedBufferMut for Never {
1133    fn with_bytes_mut<R, F>(&mut self, _f: F) -> R
1134    where
1135        F: for<'a, 'b> FnOnce(FragmentedBytesMut<'a, 'b>) -> R,
1136    {
1137        match *self {}
1138    }
1139}
1140impl ShrinkBuffer for Never {
1141    fn shrink_front(&mut self, _n: usize) {}
1142    fn shrink_back(&mut self, _n: usize) {}
1143}
1144impl GrowBuffer for Never {
1145    fn with_parts<O, F>(&self, _f: F) -> O
1146    where
1147        F: for<'a, 'b> FnOnce(&'a [u8], FragmentedBytes<'a, 'b>, &'a [u8]) -> O,
1148    {
1149        match *self {}
1150    }
1151    fn grow_front(&mut self, _n: usize) {}
1152    fn grow_back(&mut self, _n: usize) {}
1153}
1154impl GrowBufferMut for Never {
1155    fn with_parts_mut<O, F>(&mut self, _f: F) -> O
1156    where
1157        F: for<'a, 'b> FnOnce(&'a mut [u8], FragmentedBytesMut<'a, 'b>, &'a mut [u8]) -> O,
1158    {
1159        match *self {}
1160    }
1161}
1162
1163/// A view into a [`ShrinkBuffer`].
1164///
1165/// A `BufferView` borrows a `ShrinkBuffer`, and provides methods to consume
1166/// bytes from the buffer's body. It is primarily intended to be used for
1167/// parsing, although it provides methods which are useful for serialization as
1168/// well.
1169///
1170/// A `BufferView` only provides immutable access to the contents of the buffer.
1171/// For mutable access, see [`BufferViewMut`].
1172///
1173/// # Notable implementations
1174///
1175/// `BufferView` is implemented for mutable references to byte slices (`&mut
1176/// &[u8]` and `&mut &mut [u8]`).
1177pub trait BufferView<B: SplitByteSlice>: Sized + AsRef<[u8]> {
1178    /// The length of the buffer's body.
1179    fn len(&self) -> usize {
1180        self.as_ref().len()
1181    }
1182
1183    /// Is the buffer's body empty?
1184    fn is_empty(&self) -> bool {
1185        self.len() == 0
1186    }
1187
1188    /// Takes `n` bytes from the front of the buffer's body.
1189    ///
1190    /// `take_front` consumes `n` bytes from the front of the buffer's body.
1191    /// After a successful call to `take_front(n)`, the body is `n` bytes
1192    /// shorter and, if `Self: GrowBuffer`, the prefix is `n` bytes longer. If
1193    /// the body is not at least `n` bytes in length, `take_front` returns
1194    /// `None`.
1195    fn take_front(&mut self, n: usize) -> Option<B>;
1196
1197    /// Takes `n` bytes from the back of the buffer's body.
1198    ///
1199    /// `take_back` consumes `n` bytes from the back of the buffer's body. After
1200    /// a successful call to `take_back(n)`, the body is `n` bytes shorter and,
1201    /// if `Self: GrowBuffer`, the suffix is `n` bytes longer. If the body is
1202    /// not at least `n` bytes in length, `take_back` returns `None`.
1203    fn take_back(&mut self, n: usize) -> Option<B>;
1204
1205    /// Takes the rest of the buffer's body from the front.
1206    ///
1207    /// `take_rest_front` consumes the rest of the bytes from the buffer's body.
1208    /// After a call to `take_rest_front`, the body is empty and, if `Self:
1209    /// GrowBuffer`, the bytes which were previously in the body are now in the
1210    /// prefix.
1211    fn take_rest_front(&mut self) -> B {
1212        let len = self.len();
1213        self.take_front(len).unwrap()
1214    }
1215
1216    /// Takes the rest of the buffer's body from the back.
1217    ///
1218    /// `take_rest_back` consumes the rest of the bytes from the buffer's body.
1219    /// After a call to `take_rest_back`, the body is empty and, if `Self:
1220    /// GrowBuffer`, the bytes which were previously in the body are now in the
1221    /// suffix.
1222    fn take_rest_back(&mut self) -> B {
1223        let len = self.len();
1224        self.take_back(len).unwrap()
1225    }
1226
1227    /// Takes a single byte of the buffer's body from the front.
1228    ///
1229    /// `take_byte_front` consumes a single byte from the from of the buffer's
1230    /// body. It's equivalent to calling `take_front(1)` and copying out the
1231    /// single byte on successful return.
1232    fn take_byte_front(&mut self) -> Option<u8> {
1233        self.take_front(1).map(|x| x[0])
1234    }
1235
1236    /// Takes a single byte of the buffer's body from the back.
1237    ///
1238    /// `take_byte_back` consumes a single byte from the fron of the buffer's
1239    /// body. It's equivalent to calling `take_back(1)` and copying out the
1240    /// single byte on successful return.
1241    fn take_byte_back(&mut self) -> Option<u8> {
1242        self.take_back(1).map(|x| x[0])
1243    }
1244
1245    /// Converts this view into a reference to the buffer's body.
1246    ///
1247    /// `into_rest` consumes this `BufferView` by value, and returns a reference
1248    /// to the buffer's body. Unlike `take_rest`, the body is not consumed - it
1249    /// is left unchanged.
1250    fn into_rest(self) -> B;
1251
1252    /// Peeks at an object at the front of the buffer's body.
1253    ///
1254    /// `peek_obj_front` peeks at `size_of::<T>()` bytes at the front of the
1255    /// buffer's body, and interprets them as a `T`. Unlike `take_obj_front`,
1256    /// `peek_obj_front` does not modify the body. If the body is not at least
1257    /// `size_of::<T>()` bytes in length, `peek_obj_front` returns `None`.
1258    fn peek_obj_front<T>(&self) -> Option<&T>
1259    where
1260        T: FromBytes + KnownLayout + Immutable + Unaligned,
1261    {
1262        Some(Ref::into_ref(Ref::<_, T>::from_prefix(self.as_ref()).ok()?.0))
1263    }
1264
1265    /// Takes an object from the front of the buffer's body.
1266    ///
1267    /// `take_obj_front` consumes `size_of::<T>()` bytes from the front of the
1268    /// buffer's body, and interprets them as a `T`. After a successful call to
1269    /// `take_obj_front::<T>()`, the body is `size_of::<T>()` bytes shorter and,
1270    /// if `Self: GrowBuffer`, the prefix is `size_of::<T>()` bytes longer. If
1271    /// the body is not at least `size_of::<T>()` bytes in length,
1272    /// `take_obj_front` returns `None`.
1273    fn take_obj_front<T>(&mut self) -> Option<Ref<B, T>>
1274    where
1275        T: KnownLayout + Immutable + Unaligned,
1276    {
1277        let bytes = self.take_front(mem::size_of::<T>())?;
1278        // unaligned_from_bytes only returns None if there aren't enough bytes
1279        Some(Ref::from_bytes(bytes).unwrap())
1280    }
1281
1282    /// Takes a slice of objects from the front of the buffer's body.
1283    ///
1284    /// `take_slice_front` consumes `n * size_of::<T>()` bytes from the front of
1285    /// the buffer's body, and interprets them as a `[T]` with `n` elements.
1286    /// After a successful call to `take_slice_front::<T>()`, the body is `n *
1287    /// size_of::<T>()` bytes shorter and, if `Self: GrowBuffer`, the prefix is
1288    /// `n * size_of::<T>()` bytes longer. If the body is not at least `n *
1289    /// size_of::<T>()` bytes in length, `take_slice_front` returns `None`.
1290    ///
1291    /// # Panics
1292    ///
1293    /// Panics if `T` is a zero-sized type.
1294    fn take_slice_front<T>(&mut self, n: usize) -> Option<Ref<B, [T]>>
1295    where
1296        T: Immutable + Unaligned,
1297    {
1298        let bytes = self.take_front(n * mem::size_of::<T>())?;
1299        // `unaligned_from_bytes` will return `None` only if `bytes.len()` is
1300        // not a multiple of `mem::size_of::<T>()`.
1301        Some(Ref::from_bytes(bytes).unwrap())
1302    }
1303
1304    /// Peeks at an object at the back of the buffer's body.
1305    ///
1306    /// `peek_obj_back` peeks at `size_of::<T>()` bytes at the back of the
1307    /// buffer's body, and interprets them as a `T`. Unlike `take_obj_back`,
1308    /// `peek_obj_back` does not modify the body. If the body is not at least
1309    /// `size_of::<T>()` bytes in length, `peek_obj_back` returns `None`.
1310    fn peek_obj_back<T>(&mut self) -> Option<&T>
1311    where
1312        T: FromBytes + KnownLayout + Immutable + Unaligned,
1313    {
1314        Some(Ref::into_ref(Ref::<_, T>::from_suffix((&*self).as_ref()).ok()?.1))
1315    }
1316
1317    /// Takes an object from the back of the buffer's body.
1318    ///
1319    /// `take_obj_back` consumes `size_of::<T>()` bytes from the back of the
1320    /// buffer's body, and interprets them as a `T`. After a successful call to
1321    /// `take_obj_back::<T>()`, the body is `size_of::<T>()` bytes shorter and,
1322    /// if `Self: GrowBuffer`, the suffix is `size_of::<T>()` bytes longer. If
1323    /// the body is not at least `size_of::<T>()` bytes in length,
1324    /// `take_obj_back` returns `None`.
1325    fn take_obj_back<T>(&mut self) -> Option<Ref<B, T>>
1326    where
1327        T: Immutable + KnownLayout + Unaligned,
1328    {
1329        let bytes = self.take_back(mem::size_of::<T>())?;
1330        // unaligned_from_bytes only returns None if there aren't enough bytes
1331        Some(Ref::from_bytes(bytes).unwrap())
1332    }
1333
1334    /// Takes a slice of objects from the back of the buffer's body.
1335    ///
1336    /// `take_slice_back` consumes `n * size_of::<T>()` bytes from the back of
1337    /// the buffer's body, and interprets them as a `[T]` with `n` elements.
1338    /// After a successful call to `take_slice_back::<T>()`, the body is `n *
1339    /// size_of::<T>()` bytes shorter and, if `Self: GrowBuffer`, the suffix is
1340    /// `n * size_of::<T>()` bytes longer. If the body is not at least `n *
1341    /// size_of::<T>()` bytes in length, `take_slice_back` returns `None`.
1342    ///
1343    /// # Panics
1344    ///
1345    /// Panics if `T` is a zero-sized type.
1346    fn take_slice_back<T>(&mut self, n: usize) -> Option<Ref<B, [T]>>
1347    where
1348        T: Immutable + Unaligned,
1349    {
1350        let bytes = self.take_back(n * mem::size_of::<T>())?;
1351        // `unaligned_from_bytes` will return `None` only if `bytes.len()` is
1352        // not a multiple of `mem::size_of::<T>()`.
1353        Some(Ref::from_bytes(bytes).unwrap())
1354    }
1355}
1356
1357/// A mutable view into a `Buffer`.
1358///
1359/// A `BufferViewMut` is a [`BufferView`] which provides mutable access to the
1360/// contents of the buffer.
1361///
1362/// # Notable implementations
1363///
1364/// `BufferViewMut` is implemented for `&mut &mut [u8]`.
1365pub trait BufferViewMut<B: SplitByteSliceMut>: BufferView<B> + AsMut<[u8]> {
1366    /// Takes `n` bytes from the front of the buffer's body and zeroes them.
1367    ///
1368    /// `take_front_zero` is like [`BufferView::take_front`], except that it
1369    /// zeroes the bytes before returning them. This can be useful when
1370    /// serializing to ensure that the contents of packets previously stored in
1371    /// the buffer are not leaked.
1372    fn take_front_zero(&mut self, n: usize) -> Option<B> {
1373        self.take_front(n).map(|mut buf| {
1374            zero(buf.deref_mut());
1375            buf
1376        })
1377    }
1378
1379    /// Takes `n` bytes from the back of the buffer's body and zeroes them.
1380    ///
1381    /// `take_back_zero` is like [`BufferView::take_back`], except that it
1382    /// zeroes the bytes before returning them. This can be useful when
1383    /// serializing to ensure that the contents of packets previously stored in
1384    /// the buffer are not leaked.
1385    fn take_back_zero(&mut self, n: usize) -> Option<B> {
1386        self.take_back(n).map(|mut buf| {
1387            zero(buf.deref_mut());
1388            buf
1389        })
1390    }
1391
1392    /// Takes the rest of the buffer's body from the front and zeroes it.
1393    ///
1394    /// `take_rest_front_zero` is like [`BufferView::take_rest_front`], except
1395    /// that it zeroes the bytes before returning them. This can be useful when
1396    /// serializing to ensure that the contents of packets previously stored in
1397    /// the buffer are not leaked.
1398    fn take_rest_front_zero(mut self) -> B {
1399        let len = self.len();
1400        self.take_front_zero(len).unwrap()
1401    }
1402
1403    /// Takes the rest of the buffer's body from the back and zeroes it.
1404    ///
1405    /// `take_rest_back_zero` is like [`BufferView::take_rest_back`], except
1406    /// that it zeroes the bytes before returning them. This can be useful when
1407    /// serializing to ensure that the contents of packets previously stored in
1408    /// the buffer are not leaked.
1409    fn take_rest_back_zero(mut self) -> B {
1410        let len = self.len();
1411        self.take_front_zero(len).unwrap()
1412    }
1413
1414    /// Converts this view into a reference to the buffer's body, and zeroes it.
1415    ///
1416    /// `into_rest_zero` is like [`BufferView::into_rest`], except that it
1417    /// zeroes the bytes before returning them. This can be useful when
1418    /// serializing to ensure that the contents of packets previously stored in
1419    /// the buffer are not leaked.
1420    fn into_rest_zero(self) -> B {
1421        let mut bytes = self.into_rest();
1422        zero(&mut bytes);
1423        bytes
1424    }
1425
1426    /// Takes an object from the front of the buffer's body and zeroes it.
1427    ///
1428    /// `take_obj_front_zero` is like [`BufferView::take_obj_front`], except
1429    /// that it zeroes the bytes before converting them to a `T`. This can be
1430    /// useful when serializing to ensure that the contents of packets
1431    /// previously stored in the buffer are not leaked.
1432    fn take_obj_front_zero<T>(&mut self) -> Option<Ref<B, T>>
1433    where
1434        T: KnownLayout + Immutable + Unaligned,
1435    {
1436        let bytes = self.take_front(mem::size_of::<T>())?;
1437        // unaligned_from_bytes only returns None if there aren't enough bytes
1438        let mut obj: Ref<_, _> = Ref::from_bytes(bytes).unwrap();
1439        Ref::bytes_mut(&mut obj).zero();
1440        Some(obj)
1441    }
1442
1443    /// Takes an object from the back of the buffer's body and zeroes it.
1444    ///
1445    /// `take_obj_back_zero` is like [`BufferView::take_obj_back`], except that
1446    /// it zeroes the bytes before converting them to a `T`. This can be useful
1447    /// when serializing to ensure that the contents of packets previously
1448    /// stored in the buffer are not leaked.
1449    fn take_obj_back_zero<T>(&mut self) -> Option<Ref<B, T>>
1450    where
1451        T: KnownLayout + Immutable + Unaligned,
1452    {
1453        let bytes = self.take_back(mem::size_of::<T>())?;
1454        // unaligned_from_bytes only returns None if there aren't enough bytes
1455        let mut obj: Ref<_, _> = Ref::from_bytes(bytes).unwrap();
1456        Ref::bytes_mut(&mut obj).zero();
1457        Some(obj)
1458    }
1459
1460    /// Writes an object to the front of the buffer's body, consuming the bytes.
1461    ///
1462    /// `write_obj_front` consumes `size_of_val(obj)` bytes from the front of
1463    /// the buffer's body, and overwrites them with `obj`. After a successful
1464    /// call to `write_obj_front(obj)`, the body is `size_of_val(obj)` bytes
1465    /// shorter and, if `Self: GrowBuffer`, the prefix is `size_of_val(obj)`
1466    /// bytes longer. If the body is not at least `size_of_val(obj)` bytes in
1467    /// length, `write_obj_front` returns `None`.
1468    fn write_obj_front<T>(&mut self, obj: &T) -> Option<()>
1469    where
1470        T: ?Sized + IntoBytes + Immutable,
1471    {
1472        let mut bytes = self.take_front(mem::size_of_val(obj))?;
1473        bytes.copy_from_slice(obj.as_bytes());
1474        Some(())
1475    }
1476
1477    /// Writes an object to the back of the buffer's body, consuming the bytes.
1478    ///
1479    /// `write_obj_back` consumes `size_of_val(obj)` bytes from the back of the
1480    /// buffer's body, and overwrites them with `obj`. After a successful call
1481    /// to `write_obj_back(obj)`, the body is `size_of_val(obj)` bytes shorter
1482    /// and, if `Self: GrowBuffer`, the suffix is `size_of_val(obj)` bytes
1483    /// longer. If the body is not at least `size_of_val(obj)` bytes in length,
1484    /// `write_obj_back` returns `None`.
1485    fn write_obj_back<T>(&mut self, obj: &T) -> Option<()>
1486    where
1487        T: ?Sized + IntoBytes + Immutable,
1488    {
1489        let mut bytes = self.take_back(mem::size_of_val(obj))?;
1490        bytes.copy_from_slice(obj.as_bytes());
1491        Some(())
1492    }
1493}
1494
1495// NOTE on undo_parse algorithm: It's important that ParseMetadata only describe
1496// the packet itself, and not any padding. This is because the user might call
1497// undo_parse on a packet only once, and then serialize that packet inside of
1498// another packet with a lower minimum body length requirement than the one it
1499// was encapsulated in during parsing. In this case, if we were to include
1500// padding, we would spuriously serialize an unnecessarily large body. Omitting
1501// the padding is required for this reason. It is acceptable because, using the
1502// body_len field of the encapsulating packet's ParseMetadata, it is possible
1503// for undo_parse to reconstruct how many padding bytes there were if it needs
1504// to.
1505//
1506// undo_parse also needs to differentiate between bytes which were consumed from
1507// the beginning and end of the buffer. For normal packets this is easy -
1508// headers are consumed from the beginning, and footers from the end. For inner
1509// packets, which do not have a header/footer distinction (at least from the
1510// perspective of this crate), we arbitrarily decide that all bytes are consumed
1511// from the beginning. So long as ParsablePacket implementations obey this
1512// requirement, undo_parse will work properly. In order to support this,
1513// ParseMetadata::from_inner_packet constructs a ParseMetadata in which the only
1514// non-zero field is header_len.
1515
1516/// Metadata about a previously-parsed packet used to undo its parsing.
1517///
1518/// See [`GrowBuffer::undo_parse`] for more details.
1519#[derive(Copy, Clone, Debug, PartialEq)]
1520pub struct ParseMetadata {
1521    header_len: usize,
1522    body_len: usize,
1523    footer_len: usize,
1524}
1525
1526impl ParseMetadata {
1527    /// Constructs a new `ParseMetadata` from information about a packet.
1528    pub fn from_packet(header_len: usize, body_len: usize, footer_len: usize) -> ParseMetadata {
1529        ParseMetadata { header_len, body_len, footer_len }
1530    }
1531
1532    /// Constructs a new `ParseMetadata` from information about an inner packet.
1533    ///
1534    /// Since inner packets do not have a header/body/footer distinction (at
1535    /// least from the perspective of the utilities in this crate), we
1536    /// arbitrarily produce a `ParseMetadata` with a header length and no body
1537    /// or footer lengths. Thus, `from_inner_packet(len)` is equivalent to
1538    /// `from_packet(len, 0, 0)`.
1539    pub fn from_inner_packet(len: usize) -> ParseMetadata {
1540        ParseMetadata { header_len: len, body_len: 0, footer_len: 0 }
1541    }
1542
1543    /// Gets the header length.
1544    ///
1545    /// `header_len` returns the length of the header of the packet described by
1546    /// this `ParseMetadata`.
1547    pub fn header_len(&self) -> usize {
1548        self.header_len
1549    }
1550
1551    /// Gets the body length.
1552    ///
1553    /// `body_len` returns the length of the body of the packet described by
1554    /// this `ParseMetadata`.
1555    pub fn body_len(&self) -> usize {
1556        self.body_len
1557    }
1558
1559    /// Gets the footer length.
1560    ///
1561    /// `footer_len` returns the length of the footer of the packet described by
1562    /// this `ParseMetadata`.
1563    pub fn footer_len(&self) -> usize {
1564        self.footer_len
1565    }
1566}
1567
1568/// A packet which can be parsed from a buffer.
1569///
1570/// A `ParsablePacket` is a packet which can be parsed from the body of a
1571/// buffer. For performance reasons, it is recommended that as much of the
1572/// packet object as possible be stored as references into the body in order to
1573/// avoid copying.
1574pub trait ParsablePacket<B: SplitByteSlice, ParseArgs>: Sized {
1575    /// The type of errors returned from [`parse`] and [`parse_mut`].
1576    ///
1577    /// [`parse`]: ParsablePacket::parse
1578    /// [`parse_mut`]: ParsablePacket::parse_mut
1579    type Error;
1580
1581    /// Parses a packet from a buffer.
1582    ///
1583    /// Given a view into a buffer, `parse` parses a packet by consuming bytes
1584    /// from the buffer's body. This works slightly differently for normal
1585    /// packets and inner packets (those which do not contain other packets).
1586    ///
1587    /// ## Packets
1588    ///
1589    /// When parsing a packet which contains another packet, the outer packet's
1590    /// header and footer should be consumed from the beginning and end of the
1591    /// buffer's body respectively. The packet's body should be constructed from
1592    /// a reference to the buffer's body (i.e., [`BufferView::into_rest`]), but
1593    /// the buffer's body should not be consumed. This allows the next
1594    /// encapsulated packet to be parsed from the remaining buffer body. See the
1595    /// crate documentation for more details.
1596    ///
1597    /// ## Inner Packets
1598    ///
1599    /// When parsing packets which do not contain other packets, the entire
1600    /// packet's contents should be consumed from the beginning of the buffer's
1601    /// body. The buffer's body should be empty after `parse` has returned.
1602    ///
1603    /// # Padding
1604    ///
1605    /// There may be post-packet padding (coming after the entire packet,
1606    /// including any footer) which was added in order to satisfy the minimum
1607    /// body length requirement of an encapsulating packet. If the packet
1608    /// currently being parsed describes its own length (and thus, it's possible
1609    /// to determine whether there's any padding), `parse` is required to
1610    /// consume any post-packet padding from the buffer's suffix. If this
1611    /// invariant is not upheld, future calls to [`ParseBuffer::parse`] or
1612    /// [`GrowBuffer::undo_parse`] may behave incorrectly.
1613    ///
1614    /// Pre-packet padding is not supported; if a protocol supports such
1615    /// padding, it must be handled in a way that is transparent to this API. In
1616    /// particular, that means that the [`parse_metadata`] method must treat that
1617    /// padding as part of the packet.
1618    ///
1619    /// [`parse_metadata`]: ParsablePacket::parse_metadata
1620    fn parse<BV: BufferView<B>>(buffer: BV, args: ParseArgs) -> Result<Self, Self::Error>;
1621
1622    /// Parses a packet from a mutable buffer.
1623    ///
1624    /// `parse_mut` is like [`parse`], except that it operates on a mutable
1625    /// buffer view.
1626    ///
1627    /// [`parse`]: ParsablePacket::parse
1628    fn parse_mut<BV: BufferViewMut<B>>(buffer: BV, args: ParseArgs) -> Result<Self, Self::Error>
1629    where
1630        B: SplitByteSliceMut,
1631    {
1632        Self::parse(buffer, args)
1633    }
1634
1635    /// Gets metadata about this packet required by [`GrowBuffer::undo_parse`].
1636    ///
1637    /// The returned [`ParseMetadata`] records the number of header and footer
1638    /// bytes consumed by this packet during parsing, and the number of bytes
1639    /// left in the body (not consumed from the buffer). For packets which
1640    /// encapsulate other packets, the header length must be equal to the number
1641    /// of bytes consumed from the prefix, and the footer length must be equal
1642    /// to the number of bytes consumed from the suffix. For inner packets, use
1643    /// [`ParseMetadata::from_inner_packet`].
1644    ///
1645    /// There is one exception: if any post-packet padding was consumed from the
1646    /// suffix, this should not be included, as it is not considered part of the
1647    /// packet. For example, consider a packet with 8 bytes of footer followed
1648    /// by 8 bytes of post-packet padding. Parsing this packet would consume 16
1649    /// bytes from the suffix, but calling `parse_metadata` on the resulting
1650    /// object would return a `ParseMetadata` with only 8 bytes of footer.
1651    fn parse_metadata(&self) -> ParseMetadata;
1652}
1653
1654fn zero_iter<'a, I: Iterator<Item = &'a mut u8>>(bytes: I) {
1655    for byte in bytes {
1656        *byte = 0;
1657    }
1658}
1659
1660fn zero(bytes: &mut [u8]) {
1661    for byte in bytes.iter_mut() {
1662        *byte = 0;
1663    }
1664}
1665impl<'a> FragmentedBuffer for &'a [u8] {
1666    fragmented_buffer_method_impls!();
1667}
1668impl<'a> ContiguousBuffer for &'a [u8] {}
1669impl<'a> ShrinkBuffer for &'a [u8] {
1670    fn shrink_front(&mut self, n: usize) {
1671        let _: &[u8] = take_front(self, n);
1672    }
1673    fn shrink_back(&mut self, n: usize) {
1674        let _: &[u8] = take_back(self, n);
1675    }
1676}
1677impl<'a> ParseBuffer for &'a [u8] {
1678    fn parse_with<'b, ParseArgs, P: ParsablePacket<&'b [u8], ParseArgs>>(
1679        &'b mut self,
1680        args: ParseArgs,
1681    ) -> Result<P, P::Error> {
1682        // A `&'b mut &'a [u8]` wrapper which implements `BufferView<&'b [u8]>`
1683        // instead of `BufferView<&'a [u8]>`. This is needed thanks to fact that
1684        // `P: ParsablePacket` has the lifetime `'b`, not `'a`.
1685        struct ByteSlice<'a, 'b>(&'b mut &'a [u8]);
1686
1687        impl<'a, 'b> AsRef<[u8]> for ByteSlice<'a, 'b> {
1688            fn as_ref(&self) -> &[u8] {
1689                &self.0
1690            }
1691        }
1692
1693        impl<'b, 'a: 'b> BufferView<&'b [u8]> for ByteSlice<'a, 'b> {
1694            fn len(&self) -> usize {
1695                <[u8]>::len(self.0)
1696            }
1697            fn take_front(&mut self, n: usize) -> Option<&'b [u8]> {
1698                if self.0.len() < n {
1699                    return None;
1700                }
1701                Some(take_front(self.0, n))
1702            }
1703            fn take_back(&mut self, n: usize) -> Option<&'b [u8]> {
1704                if self.0.len() < n {
1705                    return None;
1706                }
1707                Some(take_back(self.0, n))
1708            }
1709            fn into_rest(self) -> &'b [u8] {
1710                self.0
1711            }
1712        }
1713
1714        P::parse(ByteSlice(self), args)
1715    }
1716}
1717impl<'a> FragmentedBuffer for &'a mut [u8] {
1718    fragmented_buffer_method_impls!();
1719}
1720impl<'a> FragmentedBufferMut for &'a mut [u8] {
1721    fragmented_buffer_mut_method_impls!();
1722}
1723impl<'a> ContiguousBuffer for &'a mut [u8] {}
1724impl<'a> ShrinkBuffer for &'a mut [u8] {
1725    fn shrink_front(&mut self, n: usize) {
1726        let _: &[u8] = take_front_mut(self, n);
1727    }
1728    fn shrink_back(&mut self, n: usize) {
1729        let _: &[u8] = take_back_mut(self, n);
1730    }
1731}
1732impl<'a> ParseBuffer for &'a mut [u8] {
1733    fn parse_with<'b, ParseArgs, P: ParsablePacket<&'b [u8], ParseArgs>>(
1734        &'b mut self,
1735        args: ParseArgs,
1736    ) -> Result<P, P::Error> {
1737        P::parse(self, args)
1738    }
1739}
1740
1741impl<'a> ParseBufferMut for &'a mut [u8] {
1742    fn parse_with_mut<'b, ParseArgs, P: ParsablePacket<&'b mut [u8], ParseArgs>>(
1743        &'b mut self,
1744        args: ParseArgs,
1745    ) -> Result<P, P::Error> {
1746        P::parse_mut(self, args)
1747    }
1748}
1749
1750impl<'b, 'a: 'b> BufferView<&'a [u8]> for &'b mut &'a [u8] {
1751    fn len(&self) -> usize {
1752        <[u8]>::len(self)
1753    }
1754    fn take_front(&mut self, n: usize) -> Option<&'a [u8]> {
1755        if self.len() < n {
1756            return None;
1757        }
1758        Some(take_front(self, n))
1759    }
1760    fn take_back(&mut self, n: usize) -> Option<&'a [u8]> {
1761        if self.len() < n {
1762            return None;
1763        }
1764        Some(take_back(self, n))
1765    }
1766    fn into_rest(self) -> &'a [u8] {
1767        self
1768    }
1769}
1770
1771impl<'b, 'a: 'b> BufferView<&'b [u8]> for &'b mut &'a mut [u8] {
1772    fn len(&self) -> usize {
1773        <[u8]>::len(self)
1774    }
1775    fn take_front(&mut self, n: usize) -> Option<&'b [u8]> {
1776        if <[u8]>::len(self) < n {
1777            return None;
1778        }
1779        Some(take_front_mut(self, n))
1780    }
1781    fn take_back(&mut self, n: usize) -> Option<&'b [u8]> {
1782        if <[u8]>::len(self) < n {
1783            return None;
1784        }
1785        Some(take_back_mut(self, n))
1786    }
1787    fn into_rest(self) -> &'b [u8] {
1788        self
1789    }
1790}
1791
1792impl<'b, 'a: 'b> BufferView<&'b mut [u8]> for &'b mut &'a mut [u8] {
1793    fn len(&self) -> usize {
1794        <[u8]>::len(self)
1795    }
1796    fn take_front(&mut self, n: usize) -> Option<&'b mut [u8]> {
1797        if <[u8]>::len(self) < n {
1798            return None;
1799        }
1800        Some(take_front_mut(self, n))
1801    }
1802    fn take_back(&mut self, n: usize) -> Option<&'b mut [u8]> {
1803        if <[u8]>::len(self) < n {
1804            return None;
1805        }
1806        Some(take_back_mut(self, n))
1807    }
1808    fn into_rest(self) -> &'b mut [u8] {
1809        self
1810    }
1811}
1812
1813impl<'b, 'a: 'b> BufferViewMut<&'b mut [u8]> for &'b mut &'a mut [u8] {}
1814
1815/// A [`BufferViewMut`] into a `&mut [u8]`.
1816///
1817/// This type is useful for instantiating a mutable view into a slice that can
1818/// be used for parsing, where any parsing that is done only affects this view
1819/// and therefore need not be "undone" later.
1820///
1821/// Note that `BufferViewMut<&mut [u8]>` is also implemented for &mut &mut [u8]
1822/// (a mutable reference to a mutable byte slice), but this can be problematic
1823/// if you need to materialize an *owned* type that implements `BufferViewMut`,
1824/// in order to pass it to a function, for example, so that it does not hold a
1825/// reference to a temporary value.
1826pub struct SliceBufViewMut<'a>(&'a mut [u8]);
1827
1828impl<'a> SliceBufViewMut<'a> {
1829    pub fn new(buf: &'a mut [u8]) -> Self {
1830        Self(buf)
1831    }
1832}
1833
1834impl<'a> BufferView<&'a mut [u8]> for SliceBufViewMut<'a> {
1835    fn take_front(&mut self, n: usize) -> Option<&'a mut [u8]> {
1836        let Self(buf) = self;
1837        if <[u8]>::len(buf) < n {
1838            return None;
1839        }
1840        Some(take_front_mut(buf, n))
1841    }
1842
1843    fn take_back(&mut self, n: usize) -> Option<&'a mut [u8]> {
1844        let Self(buf) = self;
1845        if <[u8]>::len(buf) < n {
1846            return None;
1847        }
1848        Some(take_back_mut(buf, n))
1849    }
1850
1851    fn into_rest(self) -> &'a mut [u8] {
1852        self.0
1853    }
1854}
1855
1856impl<'a> BufferViewMut<&'a mut [u8]> for SliceBufViewMut<'a> {}
1857
1858impl<'a> AsRef<[u8]> for SliceBufViewMut<'a> {
1859    fn as_ref(&self) -> &[u8] {
1860        self.0
1861    }
1862}
1863
1864impl<'a> AsMut<[u8]> for SliceBufViewMut<'a> {
1865    fn as_mut(&mut self) -> &mut [u8] {
1866        self.0
1867    }
1868}
1869
1870fn take_front<'a>(bytes: &mut &'a [u8], n: usize) -> &'a [u8] {
1871    let (prefix, rest) = mem::replace(bytes, &[]).split_at(n);
1872    *bytes = rest;
1873    prefix
1874}
1875
1876fn take_back<'a>(bytes: &mut &'a [u8], n: usize) -> &'a [u8] {
1877    let split = bytes.len() - n;
1878    let (rest, suffix) = mem::replace(bytes, &[]).split_at(split);
1879    *bytes = rest;
1880    suffix
1881}
1882
1883fn take_front_mut<'a>(bytes: &mut &'a mut [u8], n: usize) -> &'a mut [u8] {
1884    let (prefix, rest) = mem::replace(bytes, &mut []).split_at_mut(n);
1885    *bytes = rest;
1886    prefix
1887}
1888
1889fn take_back_mut<'a>(bytes: &mut &'a mut [u8], n: usize) -> &'a mut [u8] {
1890    let split = <[u8]>::len(bytes) - n;
1891    let (rest, suffix) = mem::replace(bytes, &mut []).split_at_mut(split);
1892    *bytes = rest;
1893    suffix
1894}
1895
1896// Returns the inclusive-exclusive equivalent of the bound, verifying that it is
1897// in range of `len`, and panicking if it is not or if the range is nonsensical.
1898fn canonicalize_range<R: RangeBounds<usize>>(len: usize, range: &R) -> Range<usize> {
1899    let lower = canonicalize_lower_bound(range.start_bound());
1900    let upper = canonicalize_upper_bound(len, range.end_bound()).expect("range out of bounds");
1901    assert!(lower <= upper, "invalid range: upper bound precedes lower bound");
1902    lower..upper
1903}
1904
1905// Returns the inclusive equivalent of the bound.
1906fn canonicalize_lower_bound(bound: Bound<&usize>) -> usize {
1907    match bound {
1908        Bound::Included(x) => *x,
1909        Bound::Excluded(x) => *x + 1,
1910        Bound::Unbounded => 0,
1911    }
1912}
1913
1914// Returns the exclusive equivalent of the bound, verifying that it is in range
1915// of `len`.
1916fn canonicalize_upper_bound(len: usize, bound: Bound<&usize>) -> Option<usize> {
1917    let bound = match bound {
1918        Bound::Included(x) => *x + 1,
1919        Bound::Excluded(x) => *x,
1920        Bound::Unbounded => len,
1921    };
1922    if bound > len {
1923        return None;
1924    }
1925    Some(bound)
1926}
1927
1928mod sealed {
1929    pub trait Sealed {}
1930}
1931
1932#[cfg(test)]
1933mod tests {
1934    use super::*;
1935
1936    // Call test_buffer, test_buffer_view, and test_buffer_view_post for each of
1937    // the Buffer types. Call test_parse_buffer and test_buffer_view for each of
1938    // the ParseBuffer types.
1939
1940    #[test]
1941    fn test_byte_slice_impl_buffer() {
1942        let mut avoid_leaks = Vec::new();
1943        test_parse_buffer::<&[u8], _>(|len| {
1944            let v = ascending(len);
1945            // Requires that |avoid_leaks| outlives this reference. In this case, we know
1946            // |test_parse_buffer| does not retain the reference beyond its run.
1947            let s = unsafe { std::slice::from_raw_parts(v.as_ptr(), v.len()) };
1948            let () = avoid_leaks.push(v);
1949            s
1950        });
1951        let buf = ascending(10);
1952        let mut buf: &[u8] = buf.as_ref();
1953        test_buffer_view::<&[u8], _>(&mut buf);
1954    }
1955
1956    #[test]
1957    fn test_byte_slice_mut_impl_buffer() {
1958        let mut avoid_leaks = Vec::new();
1959        test_parse_buffer::<&mut [u8], _>(|len| {
1960            let mut v = ascending(len);
1961            // Requires that |avoid_leaks| outlives this reference. In this case, we know
1962            // |test_parse_buffer| does not retain the reference beyond its run.
1963            let s = unsafe { std::slice::from_raw_parts_mut(v.as_mut_ptr(), v.len()) };
1964            let () = avoid_leaks.push(v);
1965            s
1966        });
1967        let mut buf = ascending(10);
1968        let mut buf: &mut [u8] = buf.as_mut();
1969        test_buffer_view::<&mut [u8], _>(&mut buf);
1970    }
1971
1972    #[test]
1973    fn test_either_impl_buffer() {
1974        macro_rules! test_either {
1975            ($variant:ident) => {
1976                test_buffer::<Either<Buf<Vec<u8>>, Buf<Vec<u8>>>, _>(|len| {
1977                    Either::$variant(Buf::new(ascending(len), ..))
1978                });
1979                // Test call to `Buf::buffer_view` which returns a
1980                // `BufferView`.
1981                let mut buf: Either<Buf<Vec<u8>>, Buf<Vec<u8>>> =
1982                    Either::$variant(Buf::new(ascending(10), ..));
1983                test_buffer_view(match &mut buf {
1984                    Either::$variant(buf) => buf.buffer_view(),
1985                    _ => unreachable!(),
1986                });
1987                test_buffer_view_post(&buf, true);
1988                // Test call to `Buf::buffer_view_mut` which returns a
1989                // `BufferViewMut`.
1990                let mut buf: Either<Buf<Vec<u8>>, Buf<Vec<u8>>> =
1991                    Either::$variant(Buf::new(ascending(10), ..));
1992                test_buffer_view_mut(match &mut buf {
1993                    Either::$variant(buf) => buf.buffer_view_mut(),
1994                    _ => unreachable!(),
1995                });
1996                test_buffer_view_mut_post(&buf, true);
1997            };
1998        }
1999
2000        test_either!(A);
2001        test_either!(B);
2002    }
2003
2004    #[test]
2005    fn test_slice_buf_view_mut() {
2006        let mut buf = ascending(10);
2007
2008        test_buffer_view(SliceBufViewMut::new(&mut buf));
2009        test_buffer_view_mut(SliceBufViewMut::new(&mut buf));
2010    }
2011
2012    #[test]
2013    fn test_buf_impl_buffer() {
2014        test_buffer(|len| Buf::new(ascending(len), ..));
2015        let mut buf = Buf::new(ascending(10), ..);
2016        test_buffer_view(buf.buffer_view());
2017        test_buffer_view_post(&buf, true);
2018    }
2019
2020    fn ascending(n: u8) -> Vec<u8> {
2021        (0..n).collect::<Vec<u8>>()
2022    }
2023
2024    // This test performs a number of shrinking operations (for ParseBuffer
2025    // implementations) followed by their equivalent growing operations (for
2026    // Buffer implementations only), and at each step, verifies various
2027    // properties of the buffer. The shrinking part of the test is in
2028    // test_parse_buffer_inner, while test_buffer calls test_parse_buffer_inner
2029    // and then performs the growing part of the test.
2030
2031    // When shrinking, we keep two buffers - 'at_once' and 'separately', and for
2032    // each test case, we do the following:
2033    // - shrink the 'at_once' buffer with the 'shrink' field
2034    // - shrink_front the 'separately' buffer with the 'front' field
2035    // - shrink_back the 'separately' buffer with the 'back' field
2036    //
2037    // When growing, we only keep one buffer from the shrinking phase, and for
2038    // each test case, we do the following:
2039    // - grow_front the buffer with the 'front' field
2040    // - grow_back the buffer with the 'back' field
2041    //
2042    // After each action, we verify that the len and contents are as expected.
2043    // For Buffers, we also verify the cap, prefix, and suffix.
2044    struct TestCase {
2045        shrink: Range<usize>,
2046        front: usize, // shrink or grow the front of the body
2047        back: usize,  // shrink or grow the back of the body
2048        cap: usize,
2049        len: usize,
2050        pfx: usize,
2051        sfx: usize,
2052        contents: &'static [u8],
2053    }
2054    #[rustfmt::skip]
2055    const TEST_CASES: &[TestCase] = &[
2056        TestCase { shrink: 0..10, front: 0, back: 0, cap: 10, len: 10, pfx: 0, sfx: 0, contents: &[0, 1, 2, 3, 4, 5, 6, 7, 8, 9], },
2057        TestCase { shrink: 2..10, front: 2, back: 0, cap: 10, len: 8,  pfx: 2, sfx: 0, contents: &[2, 3, 4, 5, 6, 7, 8, 9], },
2058        TestCase { shrink: 0..8,  front: 0, back: 0, cap: 10, len: 8,  pfx: 2, sfx: 0, contents: &[2, 3, 4, 5, 6, 7, 8, 9], },
2059        TestCase { shrink: 0..6,  front: 0, back: 2, cap: 10, len: 6,  pfx: 2, sfx: 2, contents: &[2, 3, 4, 5, 6, 7], },
2060        TestCase { shrink: 2..4,  front: 2, back: 2, cap: 10, len: 2,  pfx: 4, sfx: 4, contents: &[4, 5], },
2061    ];
2062
2063    // Test a ParseBuffer implementation. 'new_buf' is a function which
2064    // constructs a buffer of length n, and initializes its contents to [0, 1,
2065    // 2, ..., n -1].
2066    fn test_parse_buffer<B: ParseBuffer, N: FnMut(u8) -> B>(new_buf: N) {
2067        let _: B = test_parse_buffer_inner(new_buf, |buf, _, len, _, _, contents| {
2068            assert_eq!(buf.len(), len);
2069            assert_eq!(buf.as_ref(), contents);
2070        });
2071    }
2072
2073    // Code common to test_parse_buffer and test_buffer. 'assert' is a function
2074    // which takes a buffer, and verifies that its capacity, length, prefix,
2075    // suffix, and contents are equal to the arguments (in that order). For
2076    // ParseBuffers, the capacity, prefix, and suffix arguments are irrelevant,
2077    // and ignored.
2078    //
2079    // When the test is done, test_parse_buffer_inner returns one of the buffers
2080    // it used for testing so that test_buffer can do further testing on it. Its
2081    // prefix, body, and suffix will be [0, 1, 2, 3], [4, 5], and [6, 7, 8, 9]
2082    // respectively.
2083    fn test_parse_buffer_inner<
2084        B: ParseBuffer,
2085        N: FnMut(u8) -> B,
2086        A: Fn(&B, usize, usize, usize, usize, &[u8]),
2087    >(
2088        mut new_buf: N,
2089        assert: A,
2090    ) -> B {
2091        let mut at_once = new_buf(10);
2092        let mut separately = new_buf(10);
2093        for tc in TEST_CASES {
2094            at_once.shrink(tc.shrink.clone());
2095            separately.shrink_front(tc.front);
2096            separately.shrink_back(tc.back);
2097            assert(&at_once, tc.cap, tc.len, tc.pfx, tc.sfx, tc.contents);
2098            assert(&separately, tc.cap, tc.len, tc.pfx, tc.sfx, tc.contents);
2099        }
2100        at_once
2101    }
2102
2103    // Test a Buffer implementation. 'new_buf' is a function which constructs a
2104    // buffer of length and capacity n, and initializes its contents to [0, 1,
2105    // 2, ..., n - 1].
2106    fn test_buffer<B: Buffer, F: Fn(u8) -> B>(new_buf: F) {
2107        fn assert<B: Buffer>(
2108            buf: &B,
2109            cap: usize,
2110            len: usize,
2111            pfx: usize,
2112            sfx: usize,
2113            contents: &[u8],
2114        ) {
2115            assert_eq!(buf.len(), len);
2116            assert_eq!(buf.capacity(), cap);
2117            assert_eq!(buf.prefix_len(), pfx);
2118            assert_eq!(buf.suffix_len(), sfx);
2119            assert_eq!(buf.as_ref(), contents);
2120        }
2121
2122        let mut buf = test_parse_buffer_inner(new_buf, assert);
2123        buf.reset();
2124        assert(&buf, 10, 10, 0, 0, &[0, 1, 2, 3, 4, 5, 6, 7, 8, 9][..]);
2125        buf.shrink_front(4);
2126        buf.shrink_back(4);
2127        assert(&buf, 10, 2, 4, 4, &[4, 5][..]);
2128
2129        for tc in TEST_CASES.iter().rev() {
2130            assert(&buf, tc.cap, tc.len, tc.pfx, tc.sfx, tc.contents);
2131            buf.grow_front(tc.front);
2132            buf.grow_back(tc.back);
2133        }
2134    }
2135
2136    // Test a BufferView implementation. Call with a view into a buffer with no
2137    // extra capacity whose body contains [0, 1, ..., 9]. After the call
2138    // returns, call test_buffer_view_post on the buffer.
2139    fn test_buffer_view<B: SplitByteSlice, BV: BufferView<B>>(mut view: BV) {
2140        assert_eq!(view.len(), 10);
2141        assert_eq!(view.take_front(1).unwrap().as_ref(), &[0][..]);
2142        assert_eq!(view.len(), 9);
2143        assert_eq!(view.take_back(1).unwrap().as_ref(), &[9][..]);
2144        assert_eq!(view.len(), 8);
2145        assert_eq!(view.peek_obj_front::<[u8; 2]>().unwrap(), &[1, 2]);
2146        assert_eq!(view.take_obj_front::<[u8; 2]>().unwrap().as_ref(), [1, 2]);
2147        assert_eq!(view.len(), 6);
2148        assert_eq!(view.peek_obj_back::<[u8; 2]>().unwrap(), &[7, 8]);
2149        assert_eq!(view.take_obj_back::<[u8; 2]>().unwrap().as_ref(), [7, 8]);
2150        assert_eq!(view.len(), 4);
2151        assert!(view.take_front(5).is_none());
2152        assert_eq!(view.len(), 4);
2153        assert!(view.take_back(5).is_none());
2154        assert_eq!(view.len(), 4);
2155        assert_eq!(view.into_rest().as_ref(), &[3, 4, 5, 6][..]);
2156    }
2157
2158    // Test a BufferViewMut implementation. Call with a mutable view into a buffer
2159    // with no extra capacity whose body contains [0, 1, ..., 9]. After the call
2160    // returns, call test_buffer_view_post on the buffer.
2161    fn test_buffer_view_mut<B: SplitByteSliceMut, BV: BufferViewMut<B>>(mut view: BV) {
2162        assert_eq!(view.len(), 10);
2163        assert_eq!(view.as_mut()[0], 0);
2164        assert_eq!(view.take_front_zero(1).unwrap().as_ref(), &[0][..]);
2165        assert_eq!(view.len(), 9);
2166        assert_eq!(view.as_mut()[0], 1);
2167        assert_eq!(view.take_front_zero(1).unwrap().as_ref(), &[0][..]);
2168        assert_eq!(view.len(), 8);
2169        assert_eq!(view.as_mut()[7], 9);
2170        assert_eq!(view.take_back_zero(1).unwrap().as_ref(), &[0][..]);
2171        assert_eq!(view.len(), 7);
2172        assert_eq!(&view.as_mut()[0..2], &[2, 3][..]);
2173        assert_eq!(view.peek_obj_front::<[u8; 2]>().unwrap(), &[2, 3]);
2174        assert_eq!(view.take_obj_front_zero::<[u8; 2]>().unwrap().as_ref(), &[0, 0][..]);
2175        assert_eq!(view.len(), 5);
2176        assert_eq!(&view.as_mut()[3..5], &[7, 8][..]);
2177        assert_eq!(view.peek_obj_back::<[u8; 2]>().unwrap(), &[7, 8]);
2178        assert_eq!(view.take_obj_back_zero::<[u8; 2]>().unwrap().as_ref(), &[0, 0][..]);
2179        assert_eq!(view.write_obj_front(&[0u8]), Some(()));
2180        assert_eq!(view.as_mut(), &[5, 6][..]);
2181        assert_eq!(view.write_obj_back(&[0u8]), Some(()));
2182        assert_eq!(view.as_mut(), &[5][..]);
2183        assert!(view.take_front_zero(2).is_none());
2184        assert_eq!(view.len(), 1);
2185        assert!(view.take_back_zero(2).is_none());
2186        assert_eq!(view.len(), 1);
2187        assert_eq!(view.as_mut(), &[5][..]);
2188        assert_eq!(view.into_rest_zero().as_ref(), &[0][..]);
2189    }
2190
2191    // Post-verification to test a BufferView implementation. Call after
2192    // test_buffer_view.
2193    fn test_buffer_view_post<B: Buffer>(buffer: &B, preserves_cap: bool) {
2194        assert_eq!(buffer.as_ref(), &[3, 4, 5, 6][..]);
2195        if preserves_cap {
2196            assert_eq!(buffer.prefix_len(), 3);
2197            assert_eq!(buffer.suffix_len(), 3);
2198        }
2199    }
2200
2201    // Post-verification to test a BufferViewMut implementation. Call after
2202    // test_buffer_view_mut.
2203    fn test_buffer_view_mut_post<B: Buffer>(buffer: &B, preserves_cap: bool) {
2204        assert_eq!(buffer.as_ref(), &[0][..]);
2205        if preserves_cap {
2206            assert_eq!(buffer.prefix_len(), 5);
2207            assert_eq!(buffer.suffix_len(), 4);
2208        }
2209    }
2210
2211    #[test]
2212    fn test_buffer_view_from_buffer() {
2213        // This test is specifically designed to verify that implementations of
2214        // ParseBuffer::parse properly construct a BufferView, and that that
2215        // BufferView properly updates the underlying buffer. It was inspired by
2216        // the bug with Change-Id Ifeab21fba0f7ba94d1a12756d4e83782002e4e1e.
2217
2218        // This ParsablePacket implementation takes the contents it expects as a
2219        // parse argument and validates the BufferView[Mut] against it. It consumes
2220        // one byte from the front and one byte from the back to ensure that that
2221        // functionality works as well. For a mutable buffer, the implementation also
2222        // modifies the bytes that were consumed so tests can make sure that the
2223        // `parse_mut` function was actually called and that the bytes are mutable.
2224        struct TestParsablePacket {}
2225        impl<B: SplitByteSlice> ParsablePacket<B, &[u8]> for TestParsablePacket {
2226            type Error = ();
2227            fn parse<BV: BufferView<B>>(
2228                mut buffer: BV,
2229                args: &[u8],
2230            ) -> Result<TestParsablePacket, ()> {
2231                assert_eq!(buffer.as_ref(), args);
2232                let _: B = buffer.take_front(1).unwrap();
2233                let _: B = buffer.take_back(1).unwrap();
2234                Ok(TestParsablePacket {})
2235            }
2236
2237            fn parse_mut<BV: BufferViewMut<B>>(
2238                mut buffer: BV,
2239                args: &[u8],
2240            ) -> Result<TestParsablePacket, ()>
2241            where
2242                B: SplitByteSliceMut,
2243            {
2244                assert_eq!(buffer.as_ref(), args);
2245                buffer.take_front(1).unwrap().as_mut()[0] += 1;
2246                buffer.take_back(1).unwrap().as_mut()[0] += 2;
2247                Ok(TestParsablePacket {})
2248            }
2249
2250            fn parse_metadata(&self) -> ParseMetadata {
2251                unimplemented!()
2252            }
2253        }
2254
2255        // immutable byte slices
2256
2257        let mut buf = &[0, 1, 2, 3, 4, 5, 6, 7][..];
2258        let TestParsablePacket {} =
2259            buf.parse_with::<_, TestParsablePacket>(&[0, 1, 2, 3, 4, 5, 6, 7]).unwrap();
2260        // test that, after parsing, the bytes consumed are consumed permanently
2261        let TestParsablePacket {} =
2262            buf.parse_with::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2263
2264        // test that different temporary values do not affect one another and
2265        // also that slicing works properly (in that the elements outside of the
2266        // slice are not exposed in the BufferView[Mut]; this is fairly obvious
2267        // for slices, but less obvious for Buf, which we test below)
2268        let buf = &[0, 1, 2, 3, 4, 5, 6, 7][..];
2269        let TestParsablePacket {} =
2270            (&buf[1..7]).parse_with::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2271        let TestParsablePacket {} =
2272            (&buf[1..7]).parse_with::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2273
2274        // mutable byte slices
2275
2276        let mut bytes = [0, 1, 2, 3, 4, 5, 6, 7];
2277        let mut buf = &mut bytes[..];
2278        let TestParsablePacket {} =
2279            buf.parse_with::<_, TestParsablePacket>(&[0, 1, 2, 3, 4, 5, 6, 7]).unwrap();
2280        // test that, after parsing, the bytes consumed are consumed permanently
2281        let TestParsablePacket {} =
2282            buf.parse_with::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2283        // test that this also works with parse_with_mut
2284        let TestParsablePacket {} =
2285            buf.parse_with_mut::<_, TestParsablePacket>(&[2, 3, 4, 5]).unwrap();
2286        let TestParsablePacket {} = buf.parse_with_mut::<_, TestParsablePacket>(&[3, 4]).unwrap();
2287        assert_eq!(bytes, [0, 1, 3, 4, 6, 7, 6, 7]);
2288
2289        // test that different temporary values do not affect one another and
2290        // also that slicing works properly (in that the elements outside of the
2291        // slice are not exposed in the BufferView[Mut]; this is fairly obvious
2292        // for slices, but less obvious for Buf, which we test below)
2293        let buf = &mut [0, 1, 2, 3, 4, 5, 6, 7][..];
2294        let TestParsablePacket {} =
2295            (&buf[1..7]).parse_with::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2296        let TestParsablePacket {} =
2297            (&buf[1..7]).parse_with::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2298        let TestParsablePacket {} =
2299            (&mut buf[1..7]).parse_with_mut::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2300        let TestParsablePacket {} =
2301            (&mut buf[1..7]).parse_with_mut::<_, TestParsablePacket>(&[2, 2, 3, 4, 5, 8]).unwrap();
2302        assert_eq!(buf, &[0, 3, 2, 3, 4, 5, 10, 7][..]);
2303
2304        // Buf with immutable byte slice
2305
2306        let mut buf = Buf::new(&[0, 1, 2, 3, 4, 5, 6, 7][..], ..);
2307        let TestParsablePacket {} =
2308            buf.parse_with::<_, TestParsablePacket>(&[0, 1, 2, 3, 4, 5, 6, 7]).unwrap();
2309        // test that, after parsing, the bytes consumed are consumed permanently
2310        let TestParsablePacket {} =
2311            buf.parse_with::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2312
2313        // the same test again, but this time with Buf's range set
2314        let mut buf = Buf::new(&[0, 1, 2, 3, 4, 5, 6, 7][..], 1..7);
2315        let TestParsablePacket {} =
2316            buf.parse_with::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2317        // test that, after parsing, the bytes consumed are consumed permanently
2318        let TestParsablePacket {} = buf.parse_with::<_, TestParsablePacket>(&[2, 3, 4, 5]).unwrap();
2319
2320        // Buf with mutable byte slice
2321
2322        let mut bytes = [0, 1, 2, 3, 4, 5, 6, 7];
2323        let buf = &mut bytes[..];
2324        let mut buf = Buf::new(&mut buf[..], ..);
2325        let TestParsablePacket {} =
2326            buf.parse_with::<_, TestParsablePacket>(&[0, 1, 2, 3, 4, 5, 6, 7]).unwrap();
2327        // test that, after parsing, the bytes consumed are consumed permanently
2328        let TestParsablePacket {} =
2329            buf.parse_with::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2330        // test that this also works with parse_with_mut
2331        let TestParsablePacket {} =
2332            buf.parse_with_mut::<_, TestParsablePacket>(&[2, 3, 4, 5]).unwrap();
2333        let TestParsablePacket {} = buf.parse_with_mut::<_, TestParsablePacket>(&[3, 4]).unwrap();
2334        assert_eq!(bytes, [0, 1, 3, 4, 6, 7, 6, 7]);
2335        // the same test again, but this time with Buf's range set
2336        let mut bytes = [0, 1, 2, 3, 4, 5, 6, 7];
2337        let buf = &mut bytes[..];
2338        let mut buf = Buf::new(&mut buf[..], 1..7);
2339        let TestParsablePacket {} =
2340            buf.parse_with::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2341        // test that, after parsing, the bytes consumed are consumed permanently
2342        let TestParsablePacket {} = buf.parse_with::<_, TestParsablePacket>(&[2, 3, 4, 5]).unwrap();
2343        assert_eq!(bytes, [0, 1, 2, 3, 4, 5, 6, 7]);
2344        // test that this also works with parse_with_mut
2345        let mut bytes = [0, 1, 2, 3, 4, 5, 6, 7];
2346        let buf = &mut bytes[..];
2347        let mut buf = Buf::new(&mut buf[..], 1..7);
2348        let TestParsablePacket {} =
2349            buf.parse_with_mut::<_, TestParsablePacket>(&[1, 2, 3, 4, 5, 6]).unwrap();
2350        let TestParsablePacket {} =
2351            buf.parse_with_mut::<_, TestParsablePacket>(&[2, 3, 4, 5]).unwrap();
2352        assert_eq!(bytes, [0, 2, 3, 3, 4, 7, 8, 7]);
2353    }
2354
2355    #[test]
2356    fn test_buf_shrink_to() {
2357        // Tests the shrink_front_to and shrink_back_to methods.
2358        fn test(buf: &[u8], shrink_to: usize, size_after: usize) {
2359            let mut buf0 = &buf[..];
2360            buf0.shrink_front_to(shrink_to);
2361            assert_eq!(buf0.len(), size_after);
2362            let mut buf1 = &buf[..];
2363            buf1.shrink_back_to(shrink_to);
2364            assert_eq!(buf0.len(), size_after);
2365        }
2366
2367        test(&[0, 1, 2, 3], 2, 2);
2368        test(&[0, 1, 2, 3], 4, 4);
2369        test(&[0, 1, 2, 3], 8, 4);
2370    }
2371
2372    #[test]
2373    fn test_empty_buf() {
2374        // Test ParseBuffer impl
2375
2376        assert_eq!(EmptyBuf.as_ref(), []);
2377        assert_eq!(EmptyBuf.as_mut(), []);
2378        EmptyBuf.shrink_front(0);
2379        EmptyBuf.shrink_back(0);
2380
2381        // Test Buffer impl
2382
2383        assert_eq!(EmptyBuf.prefix_len(), 0);
2384        assert_eq!(EmptyBuf.suffix_len(), 0);
2385        EmptyBuf.grow_front(0);
2386        EmptyBuf.grow_back(0);
2387
2388        // Test BufferView impl
2389
2390        assert_eq!(BufferView::<&[u8]>::take_front(&mut EmptyBuf, 0), Some(&[][..]));
2391        assert_eq!(BufferView::<&[u8]>::take_front(&mut EmptyBuf, 1), None);
2392        assert_eq!(BufferView::<&[u8]>::take_back(&mut EmptyBuf, 0), Some(&[][..]));
2393        assert_eq!(BufferView::<&[u8]>::take_back(&mut EmptyBuf, 1), None);
2394        assert_eq!(BufferView::<&[u8]>::into_rest(EmptyBuf), &[][..]);
2395    }
2396
2397    // Each panic test case needs to be in its own function, which results in an
2398    // explosion of test functions. These macros generates the appropriate
2399    // function definitions automatically for a given type, reducing the amount
2400    // of code by a factor of ~4.
2401    macro_rules! make_parse_buffer_panic_tests {
2402        (
2403            $new_empty_buffer:expr,
2404            $shrink_panics:ident,
2405            $nonsense_shrink_panics:ident,
2406        ) => {
2407            #[test]
2408            #[should_panic]
2409            fn $shrink_panics() {
2410                ($new_empty_buffer).shrink(..1);
2411            }
2412            #[test]
2413            #[should_panic]
2414            fn $nonsense_shrink_panics() {
2415                #[allow(clippy::reversed_empty_ranges)] // Intentionally testing with invalid range
2416                ($new_empty_buffer).shrink(1..0);
2417            }
2418        };
2419    }
2420
2421    macro_rules! make_panic_tests {
2422        (
2423            $new_empty_buffer:expr,
2424            $shrink_panics:ident,
2425            $nonsense_shrink_panics:ident,
2426            $grow_front_panics:ident,
2427            $grow_back_panics:ident,
2428        ) => {
2429            make_parse_buffer_panic_tests!(
2430                $new_empty_buffer,
2431                $shrink_panics,
2432                $nonsense_shrink_panics,
2433            );
2434            #[test]
2435            #[should_panic]
2436            fn $grow_front_panics() {
2437                ($new_empty_buffer).grow_front(1);
2438            }
2439            #[test]
2440            #[should_panic]
2441            fn $grow_back_panics() {
2442                ($new_empty_buffer).grow_back(1);
2443            }
2444        };
2445    }
2446
2447    make_parse_buffer_panic_tests!(
2448        &[][..],
2449        test_byte_slice_shrink_panics,
2450        test_byte_slice_nonsense_shrink_panics,
2451    );
2452    make_parse_buffer_panic_tests!(
2453        &mut [][..],
2454        test_byte_slice_mut_shrink_panics,
2455        test_byte_slice_mut_nonsense_shrink_panics,
2456    );
2457    make_panic_tests!(
2458        Either::A::<Buf<&[u8]>, Buf<&[u8]>>(Buf::new(&[][..], ..)),
2459        test_either_slice_panics,
2460        test_either_nonsense_slice_panics,
2461        test_either_grow_front_panics,
2462        test_either_grow_back_panics,
2463    );
2464    make_panic_tests!(
2465        Buf::new(&[][..], ..),
2466        test_buf_shrink_panics,
2467        test_buf_nonsense_shrink_panics,
2468        test_buf_grow_front_panics,
2469        test_buf_grow_back_panics,
2470    );
2471    make_panic_tests!(
2472        EmptyBuf,
2473        test_empty_buf_shrink_panics,
2474        test_empty_buf_nonsense_shrink_panics,
2475        test_empty_buf_grow_front_panics,
2476        test_empty_buf_grow_back_panics,
2477    );
2478
2479    #[test]
2480    fn take_rest_front_back() {
2481        let buf = [1_u8, 2, 3];
2482        let mut b = &mut &buf[..];
2483        assert_eq!(b.take_rest_front(), &buf[..]);
2484        assert_eq!(b.len(), 0);
2485
2486        let mut b = &mut &buf[..];
2487        assert_eq!(b.take_rest_back(), &buf[..]);
2488        assert_eq!(b.len(), 0);
2489    }
2490
2491    #[test]
2492    fn take_byte_front_back() {
2493        let buf = [1_u8, 2, 3, 4];
2494        let mut b = &mut &buf[..];
2495        assert_eq!(b.take_byte_front().unwrap(), 1);
2496        assert_eq!(b.take_byte_front().unwrap(), 2);
2497        assert_eq!(b.take_byte_back().unwrap(), 4);
2498        assert_eq!(b.take_byte_back().unwrap(), 3);
2499        assert!(b.take_byte_front().is_none());
2500        assert!(b.take_byte_back().is_none());
2501    }
2502}