zerocopy/
error.rs

1// Copyright 2024 The Fuchsia Authors
2//
3// Licensed under the 2-Clause BSD License <LICENSE-BSD or
4// https://opensource.org/license/bsd-2-clause>, Apache License, Version 2.0
5// <LICENSE-APACHE or https://www.apache.org/licenses/LICENSE-2.0>, or the MIT
6// license <LICENSE-MIT or https://opensource.org/licenses/MIT>, at your option.
7// This file may not be copied, modified, or distributed except according to
8// those terms.
9
10//! Types related to error reporting.
11//!
12//! ## Single failure mode errors
13//!
14//! Generally speaking, zerocopy's conversions may fail for one of up to three
15//! reasons:
16//! - [`AlignmentError`]: the conversion source was improperly aligned
17//! - [`SizeError`]: the conversion source was of incorrect size
18//! - [`ValidityError`]: the conversion source contained invalid data
19//!
20//! Methods that only have one failure mode, like
21//! [`FromBytes::read_from_bytes`], return that mode's corresponding error type
22//! directly.
23//!
24//! ## Compound errors
25//!
26//! Conversion methods that have either two or three possible failure modes
27//! return one of these error types:
28//! - [`CastError`]: the error type of reference conversions
29//! - [`TryCastError`]: the error type of fallible reference conversions
30//! - [`TryReadError`]: the error type of fallible read conversions
31//!
32//! ## [`Unaligned`] destination types
33//!
34//! For [`Unaligned`] destination types, alignment errors are impossible. All
35//! compound error types support infallibly discarding the alignment error via
36//! [`From`] so long as `Dst: Unaligned`. For example, see [`<SizeError as
37//! From<ConvertError>>::from`][size-error-from].
38//!
39//! [size-error-from]: struct.SizeError.html#method.from-1
40//!
41//! ## Accessing the conversion source
42//!
43//! All error types provide an `into_src` method that converts the error into
44//! the source value underlying the failed conversion.
45//!
46//! ## Display formatting
47//!
48//! All error types provide a `Display` implementation that produces a
49//! human-readable error message. When `debug_assertions` are enabled, these
50//! error messages are verbose and may include potentially sensitive
51//! information, including:
52//!
53//! - the names of the involved types
54//! - the sizes of the involved types
55//! - the addresses of the involved types
56//! - the contents of the involved types
57//!
58//! When `debug_assertions` are disabled (as is default for `release` builds),
59//! such potentially sensitive information is excluded.
60//!
61//! In the future, we may support manually configuring this behavior. If you are
62//! interested in this feature, [let us know on GitHub][issue-1457] so we know
63//! to prioritize it.
64//!
65//! [issue-1457]: https://github.com/google/zerocopy/issues/1457
66//!
67//! ## Validation order
68//!
69//! Our conversion methods typically check alignment, then size, then bit
70//! validity. However, we do not guarantee that this is always the case, and
71//! this behavior may change between releases.
72//!
73//! ## `Send`, `Sync`, and `'static`
74//!
75//! Our error types are `Send`, `Sync`, and `'static` when their `Src` parameter
76//! is `Send`, `Sync`, or `'static`, respectively. This can cause issues when an
77//! error is sent or synchronized across threads; e.g.:
78//!
79//! ```compile_fail,E0515
80//! use zerocopy::*;
81//!
82//! let result: SizeError<&[u8], u32> = std::thread::spawn(|| {
83//!     let source = &mut [0u8, 1, 2][..];
84//!     // Try (and fail) to read a `u32` from `source`.
85//!     u32::read_from_bytes(source).unwrap_err()
86//! }).join().unwrap();
87//! ```
88//!
89//! To work around this, use [`map_src`][CastError::map_src] to convert the
90//! source parameter to an unproblematic type; e.g.:
91//!
92//! ```
93//! use zerocopy::*;
94//!
95//! let result: SizeError<(), u32> = std::thread::spawn(|| {
96//!     let source = &mut [0u8, 1, 2][..];
97//!     // Try (and fail) to read a `u32` from `source`.
98//!     u32::read_from_bytes(source).unwrap_err()
99//!         // Erase the error source.
100//!         .map_src(drop)
101//! }).join().unwrap();
102//! ```
103//!
104//! Alternatively, use `.to_string()` to eagerly convert the error into a
105//! human-readable message; e.g.:
106//!
107//! ```
108//! use zerocopy::*;
109//!
110//! let result: Result<u32, String> = std::thread::spawn(|| {
111//!     let source = &mut [0u8, 1, 2][..];
112//!     // Try (and fail) to read a `u32` from `source`.
113//!     u32::read_from_bytes(source)
114//!         // Eagerly render the error message.
115//!         .map_err(|err| err.to_string())
116//! }).join().unwrap();
117//! ```
118#[cfg(not(no_zerocopy_core_error_1_81_0))]
119use core::error::Error;
120use core::{
121    convert::Infallible,
122    fmt::{self, Debug, Write},
123    ops::Deref,
124};
125#[cfg(all(no_zerocopy_core_error_1_81_0, any(feature = "std", test)))]
126use std::error::Error;
127
128use crate::{util::SendSyncPhantomData, KnownLayout, TryFromBytes, Unaligned};
129#[cfg(doc)]
130use crate::{FromBytes, Ref};
131
132/// Zerocopy's generic error type.
133///
134/// Generally speaking, zerocopy's conversions may fail for one of up to three
135/// reasons:
136/// - [`AlignmentError`]: the conversion source was improperly aligned
137/// - [`SizeError`]: the conversion source was of incorrect size
138/// - [`ValidityError`]: the conversion source contained invalid data
139///
140/// However, not all conversions produce all errors. For instance,
141/// [`FromBytes::ref_from_bytes`] may fail due to alignment or size issues, but
142/// not validity issues. This generic error type captures these
143/// (im)possibilities via parameterization: `A` is parameterized with
144/// [`AlignmentError`], `S` is parameterized with [`SizeError`], and `V` is
145/// parameterized with [`Infallible`].
146///
147/// Zerocopy never uses this type directly in its API. Rather, we provide three
148/// pre-parameterized aliases:
149/// - [`CastError`]: the error type of reference conversions
150/// - [`TryCastError`]: the error type of fallible reference conversions
151/// - [`TryReadError`]: the error type of fallible read conversions
152#[derive(PartialEq, Eq, Clone)]
153pub enum ConvertError<A, S, V> {
154    /// The conversion source was improperly aligned.
155    Alignment(A),
156    /// The conversion source was of incorrect size.
157    Size(S),
158    /// The conversion source contained invalid data.
159    Validity(V),
160}
161
162impl<Src, Dst: ?Sized + Unaligned, S, V> From<ConvertError<AlignmentError<Src, Dst>, S, V>>
163    for ConvertError<Infallible, S, V>
164{
165    /// Infallibly discards the alignment error from this `ConvertError` since
166    /// `Dst` is unaligned.
167    ///
168    /// Since [`Dst: Unaligned`], it is impossible to encounter an alignment
169    /// error. This method permits discarding that alignment error infallibly
170    /// and replacing it with [`Infallible`].
171    ///
172    /// [`Dst: Unaligned`]: crate::Unaligned
173    ///
174    /// # Examples
175    ///
176    /// ```
177    /// use core::convert::Infallible;
178    /// use zerocopy::*;
179    /// # use zerocopy_derive::*;
180    ///
181    /// #[derive(TryFromBytes, KnownLayout, Unaligned, Immutable)]
182    /// #[repr(C, packed)]
183    /// struct Bools {
184    ///     one: bool,
185    ///     two: bool,
186    ///     many: [bool],
187    /// }
188    ///
189    /// impl Bools {
190    ///     fn parse(bytes: &[u8]) -> Result<&Bools, AlignedTryCastError<&[u8], Bools>> {
191    ///         // Since `Bools: Unaligned`, we can infallibly discard
192    ///         // the alignment error.
193    ///         Bools::try_ref_from_bytes(bytes).map_err(Into::into)
194    ///     }
195    /// }
196    /// ```
197    #[inline]
198    fn from(err: ConvertError<AlignmentError<Src, Dst>, S, V>) -> ConvertError<Infallible, S, V> {
199        match err {
200            ConvertError::Alignment(e) => {
201                #[allow(unreachable_code)]
202                return ConvertError::Alignment(Infallible::from(e));
203            }
204            ConvertError::Size(e) => ConvertError::Size(e),
205            ConvertError::Validity(e) => ConvertError::Validity(e),
206        }
207    }
208}
209
210impl<A: fmt::Debug, S: fmt::Debug, V: fmt::Debug> fmt::Debug for ConvertError<A, S, V> {
211    #[inline]
212    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
213        match self {
214            Self::Alignment(e) => f.debug_tuple("Alignment").field(e).finish(),
215            Self::Size(e) => f.debug_tuple("Size").field(e).finish(),
216            Self::Validity(e) => f.debug_tuple("Validity").field(e).finish(),
217        }
218    }
219}
220
221/// Produces a human-readable error message.
222///
223/// The message differs between debug and release builds. When
224/// `debug_assertions` are enabled, this message is verbose and includes
225/// potentially sensitive information.
226impl<A: fmt::Display, S: fmt::Display, V: fmt::Display> fmt::Display for ConvertError<A, S, V> {
227    #[inline]
228    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
229        match self {
230            Self::Alignment(e) => e.fmt(f),
231            Self::Size(e) => e.fmt(f),
232            Self::Validity(e) => e.fmt(f),
233        }
234    }
235}
236
237#[cfg(any(not(no_zerocopy_core_error_1_81_0), feature = "std", test))]
238#[cfg_attr(doc_cfg, doc(cfg(all(rust = "1.81.0", feature = "std"))))]
239impl<A, S, V> Error for ConvertError<A, S, V>
240where
241    A: fmt::Display + fmt::Debug,
242    S: fmt::Display + fmt::Debug,
243    V: fmt::Display + fmt::Debug,
244{
245}
246
247/// The error emitted if the conversion source is improperly aligned.
248pub struct AlignmentError<Src, Dst: ?Sized> {
249    /// The source value involved in the conversion.
250    src: Src,
251    /// The inner destination type involved in the conversion.
252    ///
253    /// INVARIANT: An `AlignmentError` may only be constructed if `Dst`'s
254    /// alignment requirement is greater than one.
255    _dst: SendSyncPhantomData<Dst>,
256}
257
258impl<Src, Dst: ?Sized> AlignmentError<Src, Dst> {
259    /// # Safety
260    ///
261    /// The caller must ensure that `Dst`'s alignment requirement is greater
262    /// than one.
263    pub(crate) unsafe fn new_unchecked(src: Src) -> Self {
264        // INVARIANT: The caller guarantees that `Dst`'s alignment requirement
265        // is greater than one.
266        Self { src, _dst: SendSyncPhantomData::default() }
267    }
268
269    /// Produces the source underlying the failed conversion.
270    #[inline]
271    pub fn into_src(self) -> Src {
272        self.src
273    }
274
275    pub(crate) fn with_src<NewSrc>(self, new_src: NewSrc) -> AlignmentError<NewSrc, Dst> {
276        // INVARIANT: `with_src` doesn't change the type of `Dst`, so the
277        // invariant that `Dst`'s alignment requirement is greater than one is
278        // preserved.
279        AlignmentError { src: new_src, _dst: SendSyncPhantomData::default() }
280    }
281
282    /// Maps the source value associated with the conversion error.
283    ///
284    /// This can help mitigate [issues with `Send`, `Sync` and `'static`
285    /// bounds][self#send-sync-and-static].
286    ///
287    /// # Examples
288    ///
289    /// ```
290    /// use zerocopy::*;
291    ///
292    /// let unaligned = Unalign::new(0u16);
293    ///
294    /// // Attempt to deref `unaligned`. This might fail with an alignment error.
295    /// let maybe_n: Result<&u16, AlignmentError<&Unalign<u16>, u16>> = unaligned.try_deref();
296    ///
297    /// // Map the error's source to its address as a usize.
298    /// let maybe_n: Result<&u16, AlignmentError<usize, u16>> = maybe_n.map_err(|err| {
299    ///     err.map_src(|src| src as *const _ as usize)
300    /// });
301    /// ```
302    #[inline]
303    pub fn map_src<NewSrc>(self, f: impl FnOnce(Src) -> NewSrc) -> AlignmentError<NewSrc, Dst> {
304        AlignmentError { src: f(self.src), _dst: SendSyncPhantomData::default() }
305    }
306
307    pub(crate) fn into<S, V>(self) -> ConvertError<Self, S, V> {
308        ConvertError::Alignment(self)
309    }
310
311    /// Format extra details for a verbose, human-readable error message.
312    ///
313    /// This formatting may include potentially sensitive information.
314    fn display_verbose_extras(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result
315    where
316        Src: Deref,
317        Dst: KnownLayout,
318    {
319        #[allow(clippy::as_conversions)]
320        let addr = self.src.deref() as *const _ as *const ();
321        let addr_align = 2usize.pow((crate::util::AsAddress::addr(addr)).trailing_zeros());
322
323        f.write_str("\n\nSource type: ")?;
324        f.write_str(core::any::type_name::<Src>())?;
325
326        f.write_str("\nSource address: ")?;
327        addr.fmt(f)?;
328        f.write_str(" (a multiple of ")?;
329        addr_align.fmt(f)?;
330        f.write_str(")")?;
331
332        f.write_str("\nDestination type: ")?;
333        f.write_str(core::any::type_name::<Dst>())?;
334
335        f.write_str("\nDestination alignment: ")?;
336        <Dst as KnownLayout>::LAYOUT.align.get().fmt(f)?;
337
338        Ok(())
339    }
340}
341
342impl<Src: Clone, Dst: ?Sized> Clone for AlignmentError<Src, Dst> {
343    #[inline]
344    fn clone(&self) -> Self {
345        Self { src: self.src.clone(), _dst: SendSyncPhantomData::default() }
346    }
347}
348
349impl<Src: PartialEq, Dst: ?Sized> PartialEq for AlignmentError<Src, Dst> {
350    #[inline]
351    fn eq(&self, other: &Self) -> bool {
352        self.src == other.src
353    }
354}
355
356impl<Src: Eq, Dst: ?Sized> Eq for AlignmentError<Src, Dst> {}
357
358impl<Src, Dst: ?Sized + Unaligned> From<AlignmentError<Src, Dst>> for Infallible {
359    #[inline(always)]
360    fn from(_: AlignmentError<Src, Dst>) -> Infallible {
361        // SAFETY: `AlignmentError`s can only be constructed when `Dst`'s
362        // alignment requirement is greater than one. In this block, `Dst:
363        // Unaligned`, which means that its alignment requirement is equal to
364        // one. Thus, it's not possible to reach here at runtime.
365        unsafe { core::hint::unreachable_unchecked() }
366    }
367}
368
369#[cfg(test)]
370impl<Src, Dst> AlignmentError<Src, Dst> {
371    // A convenience constructor so that test code doesn't need to write
372    // `unsafe`.
373    fn new_checked(src: Src) -> AlignmentError<Src, Dst> {
374        assert_ne!(core::mem::align_of::<Dst>(), 1);
375        // SAFETY: The preceding assertion guarantees that `Dst`'s alignment
376        // requirement is greater than one.
377        unsafe { AlignmentError::new_unchecked(src) }
378    }
379}
380
381impl<Src, Dst: ?Sized> fmt::Debug for AlignmentError<Src, Dst> {
382    #[inline]
383    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
384        f.debug_struct("AlignmentError").finish()
385    }
386}
387
388/// Produces a human-readable error message.
389///
390/// The message differs between debug and release builds. When
391/// `debug_assertions` are enabled, this message is verbose and includes
392/// potentially sensitive information.
393impl<Src, Dst: ?Sized> fmt::Display for AlignmentError<Src, Dst>
394where
395    Src: Deref,
396    Dst: KnownLayout,
397{
398    #[inline]
399    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
400        f.write_str("The conversion failed because the address of the source is not a multiple of the alignment of the destination type.")?;
401
402        if cfg!(debug_assertions) {
403            self.display_verbose_extras(f)
404        } else {
405            Ok(())
406        }
407    }
408}
409
410#[cfg(any(not(no_zerocopy_core_error_1_81_0), feature = "std", test))]
411#[cfg_attr(doc_cfg, doc(cfg(all(rust = "1.81.0", feature = "std"))))]
412impl<Src, Dst: ?Sized> Error for AlignmentError<Src, Dst>
413where
414    Src: Deref,
415    Dst: KnownLayout,
416{
417}
418
419impl<Src, Dst: ?Sized, S, V> From<AlignmentError<Src, Dst>>
420    for ConvertError<AlignmentError<Src, Dst>, S, V>
421{
422    #[inline(always)]
423    fn from(err: AlignmentError<Src, Dst>) -> Self {
424        Self::Alignment(err)
425    }
426}
427
428/// The error emitted if the conversion source is of incorrect size.
429pub struct SizeError<Src, Dst: ?Sized> {
430    /// The source value involved in the conversion.
431    src: Src,
432    /// The inner destination type involved in the conversion.
433    _dst: SendSyncPhantomData<Dst>,
434}
435
436impl<Src, Dst: ?Sized> SizeError<Src, Dst> {
437    pub(crate) fn new(src: Src) -> Self {
438        Self { src, _dst: SendSyncPhantomData::default() }
439    }
440
441    /// Produces the source underlying the failed conversion.
442    #[inline]
443    pub fn into_src(self) -> Src {
444        self.src
445    }
446
447    /// Sets the source value associated with the conversion error.
448    pub(crate) fn with_src<NewSrc>(self, new_src: NewSrc) -> SizeError<NewSrc, Dst> {
449        SizeError { src: new_src, _dst: SendSyncPhantomData::default() }
450    }
451
452    /// Maps the source value associated with the conversion error.
453    ///
454    /// This can help mitigate [issues with `Send`, `Sync` and `'static`
455    /// bounds][self#send-sync-and-static].
456    ///
457    /// # Examples
458    ///
459    /// ```
460    /// use zerocopy::*;
461    ///
462    /// let source: [u8; 3] = [0, 1, 2];
463    ///
464    /// // Try to read a `u32` from `source`. This will fail because there are insufficient
465    /// // bytes in `source`.
466    /// let maybe_u32: Result<u32, SizeError<&[u8], u32>> = u32::read_from_bytes(&source[..]);
467    ///
468    /// // Map the error's source to its size.
469    /// let maybe_u32: Result<u32, SizeError<usize, u32>> = maybe_u32.map_err(|err| {
470    ///     err.map_src(|src| src.len())
471    /// });
472    /// ```
473    #[inline]
474    pub fn map_src<NewSrc>(self, f: impl FnOnce(Src) -> NewSrc) -> SizeError<NewSrc, Dst> {
475        SizeError { src: f(self.src), _dst: SendSyncPhantomData::default() }
476    }
477
478    /// Sets the destination type associated with the conversion error.
479    pub(crate) fn with_dst<NewDst: ?Sized>(self) -> SizeError<Src, NewDst> {
480        SizeError { src: self.src, _dst: SendSyncPhantomData::default() }
481    }
482
483    /// Converts the error into a general [`ConvertError`].
484    pub(crate) fn into<A, V>(self) -> ConvertError<A, Self, V> {
485        ConvertError::Size(self)
486    }
487
488    /// Format extra details for a verbose, human-readable error message.
489    ///
490    /// This formatting may include potentially sensitive information.
491    fn display_verbose_extras(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result
492    where
493        Src: Deref,
494        Dst: KnownLayout,
495    {
496        // include the source type
497        f.write_str("\nSource type: ")?;
498        f.write_str(core::any::type_name::<Src>())?;
499
500        // include the source.deref() size
501        let src_size = core::mem::size_of_val(&*self.src);
502        f.write_str("\nSource size: ")?;
503        src_size.fmt(f)?;
504        f.write_str(" byte")?;
505        if src_size != 1 {
506            f.write_char('s')?;
507        }
508
509        // if `Dst` is `Sized`, include the `Dst` size
510        if let crate::SizeInfo::Sized { size } = Dst::LAYOUT.size_info {
511            f.write_str("\nDestination size: ")?;
512            size.fmt(f)?;
513            f.write_str(" byte")?;
514            if size != 1 {
515                f.write_char('s')?;
516            }
517        }
518
519        // include the destination type
520        f.write_str("\nDestination type: ")?;
521        f.write_str(core::any::type_name::<Dst>())?;
522
523        Ok(())
524    }
525}
526
527impl<Src: Clone, Dst: ?Sized> Clone for SizeError<Src, Dst> {
528    #[inline]
529    fn clone(&self) -> Self {
530        Self { src: self.src.clone(), _dst: SendSyncPhantomData::default() }
531    }
532}
533
534impl<Src: PartialEq, Dst: ?Sized> PartialEq for SizeError<Src, Dst> {
535    #[inline]
536    fn eq(&self, other: &Self) -> bool {
537        self.src == other.src
538    }
539}
540
541impl<Src: Eq, Dst: ?Sized> Eq for SizeError<Src, Dst> {}
542
543impl<Src, Dst: ?Sized> fmt::Debug for SizeError<Src, Dst> {
544    #[inline]
545    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
546        f.debug_struct("SizeError").finish()
547    }
548}
549
550/// Produces a human-readable error message.
551///
552/// The message differs between debug and release builds. When
553/// `debug_assertions` are enabled, this message is verbose and includes
554/// potentially sensitive information.
555impl<Src, Dst: ?Sized> fmt::Display for SizeError<Src, Dst>
556where
557    Src: Deref,
558    Dst: KnownLayout,
559{
560    #[inline]
561    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
562        f.write_str("The conversion failed because the source was incorrectly sized to complete the conversion into the destination type.")?;
563        if cfg!(debug_assertions) {
564            f.write_str("\n")?;
565            self.display_verbose_extras(f)?;
566        }
567        Ok(())
568    }
569}
570
571#[cfg(any(not(no_zerocopy_core_error_1_81_0), feature = "std", test))]
572#[cfg_attr(doc_cfg, doc(cfg(all(rust = "1.81.0", feature = "std"))))]
573impl<Src, Dst: ?Sized> Error for SizeError<Src, Dst>
574where
575    Src: Deref,
576    Dst: KnownLayout,
577{
578}
579
580impl<Src, Dst: ?Sized, A, V> From<SizeError<Src, Dst>> for ConvertError<A, SizeError<Src, Dst>, V> {
581    #[inline(always)]
582    fn from(err: SizeError<Src, Dst>) -> Self {
583        Self::Size(err)
584    }
585}
586
587/// The error emitted if the conversion source contains invalid data.
588pub struct ValidityError<Src, Dst: ?Sized + TryFromBytes> {
589    /// The source value involved in the conversion.
590    pub(crate) src: Src,
591    /// The inner destination type involved in the conversion.
592    _dst: SendSyncPhantomData<Dst>,
593}
594
595impl<Src, Dst: ?Sized + TryFromBytes> ValidityError<Src, Dst> {
596    pub(crate) fn new(src: Src) -> Self {
597        Self { src, _dst: SendSyncPhantomData::default() }
598    }
599
600    /// Produces the source underlying the failed conversion.
601    #[inline]
602    pub fn into_src(self) -> Src {
603        self.src
604    }
605
606    /// Maps the source value associated with the conversion error.
607    ///
608    /// This can help mitigate [issues with `Send`, `Sync` and `'static`
609    /// bounds][self#send-sync-and-static].
610    ///
611    /// # Examples
612    ///
613    /// ```
614    /// use zerocopy::*;
615    ///
616    /// let source: u8 = 42;
617    ///
618    /// // Try to transmute the `source` to a `bool`. This will fail.
619    /// let maybe_bool: Result<bool, ValidityError<u8, bool>> = try_transmute!(source);
620    ///
621    /// // Drop the error's source.
622    /// let maybe_bool: Result<bool, ValidityError<(), bool>> = maybe_bool.map_err(|err| {
623    ///     err.map_src(drop)
624    /// });
625    /// ```
626    #[inline]
627    pub fn map_src<NewSrc>(self, f: impl FnOnce(Src) -> NewSrc) -> ValidityError<NewSrc, Dst> {
628        ValidityError { src: f(self.src), _dst: SendSyncPhantomData::default() }
629    }
630
631    /// Converts the error into a general [`ConvertError`].
632    pub(crate) fn into<A, S>(self) -> ConvertError<A, S, Self> {
633        ConvertError::Validity(self)
634    }
635
636    /// Format extra details for a verbose, human-readable error message.
637    ///
638    /// This formatting may include potentially sensitive information.
639    fn display_verbose_extras(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result
640    where
641        Dst: KnownLayout,
642    {
643        f.write_str("Destination type: ")?;
644        f.write_str(core::any::type_name::<Dst>())?;
645        Ok(())
646    }
647}
648
649impl<Src: Clone, Dst: ?Sized + TryFromBytes> Clone for ValidityError<Src, Dst> {
650    #[inline]
651    fn clone(&self) -> Self {
652        Self { src: self.src.clone(), _dst: SendSyncPhantomData::default() }
653    }
654}
655
656// SAFETY: `ValidityError` contains a single `Self::Inner = Src`, and no other
657// non-ZST fields. `map` passes ownership of `self`'s sole `Self::Inner` to `f`.
658unsafe impl<Src, NewSrc, Dst> crate::pointer::TryWithError<NewSrc>
659    for crate::ValidityError<Src, Dst>
660where
661    Dst: TryFromBytes + ?Sized,
662{
663    type Inner = Src;
664    type Mapped = crate::ValidityError<NewSrc, Dst>;
665    fn map<F: FnOnce(Src) -> NewSrc>(self, f: F) -> Self::Mapped {
666        self.map_src(f)
667    }
668}
669
670impl<Src: PartialEq, Dst: ?Sized + TryFromBytes> PartialEq for ValidityError<Src, Dst> {
671    #[inline]
672    fn eq(&self, other: &Self) -> bool {
673        self.src == other.src
674    }
675}
676
677impl<Src: Eq, Dst: ?Sized + TryFromBytes> Eq for ValidityError<Src, Dst> {}
678
679impl<Src, Dst: ?Sized + TryFromBytes> fmt::Debug for ValidityError<Src, Dst> {
680    #[inline]
681    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
682        f.debug_struct("ValidityError").finish()
683    }
684}
685
686/// Produces a human-readable error message.
687///
688/// The message differs between debug and release builds. When
689/// `debug_assertions` are enabled, this message is verbose and includes
690/// potentially sensitive information.
691impl<Src, Dst: ?Sized> fmt::Display for ValidityError<Src, Dst>
692where
693    Dst: KnownLayout + TryFromBytes,
694{
695    #[inline]
696    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
697        f.write_str("The conversion failed because the source bytes are not a valid value of the destination type.")?;
698        if cfg!(debug_assertions) {
699            f.write_str("\n\n")?;
700            self.display_verbose_extras(f)?;
701        }
702        Ok(())
703    }
704}
705
706#[cfg(any(not(no_zerocopy_core_error_1_81_0), feature = "std", test))]
707#[cfg_attr(doc_cfg, doc(cfg(all(rust = "1.81.0", feature = "std"))))]
708impl<Src, Dst: ?Sized> Error for ValidityError<Src, Dst> where Dst: KnownLayout + TryFromBytes {}
709
710impl<Src, Dst: ?Sized + TryFromBytes, A, S> From<ValidityError<Src, Dst>>
711    for ConvertError<A, S, ValidityError<Src, Dst>>
712{
713    #[inline(always)]
714    fn from(err: ValidityError<Src, Dst>) -> Self {
715        Self::Validity(err)
716    }
717}
718
719/// The error type of reference conversions.
720///
721/// Reference conversions, like [`FromBytes::ref_from_bytes`] may emit
722/// [alignment](AlignmentError) and [size](SizeError) errors.
723// Bounds on generic parameters are not enforced in type aliases, but they do
724// appear in rustdoc.
725#[allow(type_alias_bounds)]
726pub type CastError<Src, Dst: ?Sized> =
727    ConvertError<AlignmentError<Src, Dst>, SizeError<Src, Dst>, Infallible>;
728
729impl<Src, Dst: ?Sized> CastError<Src, Dst> {
730    /// Produces the source underlying the failed conversion.
731    #[inline]
732    pub fn into_src(self) -> Src {
733        match self {
734            Self::Alignment(e) => e.src,
735            Self::Size(e) => e.src,
736            Self::Validity(i) => match i {},
737        }
738    }
739
740    /// Sets the source value associated with the conversion error.
741    pub(crate) fn with_src<NewSrc>(self, new_src: NewSrc) -> CastError<NewSrc, Dst> {
742        match self {
743            Self::Alignment(e) => CastError::Alignment(e.with_src(new_src)),
744            Self::Size(e) => CastError::Size(e.with_src(new_src)),
745            Self::Validity(i) => match i {},
746        }
747    }
748
749    /// Maps the source value associated with the conversion error.
750    ///
751    /// This can help mitigate [issues with `Send`, `Sync` and `'static`
752    /// bounds][self#send-sync-and-static].
753    ///
754    /// # Examples
755    ///
756    /// ```
757    /// use zerocopy::*;
758    ///
759    /// let source: [u8; 3] = [0, 1, 2];
760    ///
761    /// // Try to read a `u32` from `source`. This will fail because there are insufficient
762    /// // bytes in `source`.
763    /// let maybe_u32: Result<&u32, CastError<&[u8], u32>> = u32::ref_from_bytes(&source[..]);
764    ///
765    /// // Map the error's source to its size and address.
766    /// let maybe_u32: Result<&u32, CastError<(usize, usize), u32>> = maybe_u32.map_err(|err| {
767    ///     err.map_src(|src| (src.len(), src.as_ptr() as usize))
768    /// });
769    /// ```
770    #[inline]
771    pub fn map_src<NewSrc>(self, f: impl FnOnce(Src) -> NewSrc) -> CastError<NewSrc, Dst> {
772        match self {
773            Self::Alignment(e) => CastError::Alignment(e.map_src(f)),
774            Self::Size(e) => CastError::Size(e.map_src(f)),
775            Self::Validity(i) => match i {},
776        }
777    }
778
779    /// Converts the error into a general [`ConvertError`].
780    pub(crate) fn into(self) -> TryCastError<Src, Dst>
781    where
782        Dst: TryFromBytes,
783    {
784        match self {
785            Self::Alignment(e) => TryCastError::Alignment(e),
786            Self::Size(e) => TryCastError::Size(e),
787            Self::Validity(i) => match i {},
788        }
789    }
790}
791
792// SAFETY: `CastError` is either a single `AlignmentError` or a single
793// `SizeError`. In either case, it contains a single `Self::Inner = Src`, and no
794// other non-ZST fields. `map` passes ownership of `self`'s sole `Self::Inner`
795// to `f`.
796unsafe impl<Src, NewSrc, Dst> crate::pointer::TryWithError<NewSrc> for crate::CastError<Src, Dst>
797where
798    Dst: ?Sized,
799{
800    type Inner = Src;
801    type Mapped = crate::CastError<NewSrc, Dst>;
802
803    fn map<F: FnOnce(Src) -> NewSrc>(self, f: F) -> Self::Mapped {
804        self.map_src(f)
805    }
806}
807
808impl<Src, Dst: ?Sized + Unaligned> From<CastError<Src, Dst>> for SizeError<Src, Dst> {
809    /// Infallibly extracts the [`SizeError`] from this `CastError` since `Dst`
810    /// is unaligned.
811    ///
812    /// Since [`Dst: Unaligned`], it is impossible to encounter an alignment
813    /// error, and so the only error that can be encountered at runtime is a
814    /// [`SizeError`]. This method permits extracting that `SizeError`
815    /// infallibly.
816    ///
817    /// [`Dst: Unaligned`]: crate::Unaligned
818    ///
819    /// # Examples
820    ///
821    /// ```rust
822    /// use zerocopy::*;
823    /// # use zerocopy_derive::*;
824    ///
825    /// #[derive(FromBytes, IntoBytes, KnownLayout, Immutable, Unaligned)]
826    /// #[repr(C)]
827    /// struct UdpHeader {
828    ///     src_port: [u8; 2],
829    ///     dst_port: [u8; 2],
830    ///     length: [u8; 2],
831    ///     checksum: [u8; 2],
832    /// }
833    ///
834    /// #[derive(FromBytes, IntoBytes, KnownLayout, Immutable, Unaligned)]
835    /// #[repr(C, packed)]
836    /// struct UdpPacket {
837    ///     header: UdpHeader,
838    ///     body: [u8],
839    /// }
840    ///
841    /// impl UdpPacket {
842    ///     pub fn parse(bytes: &[u8]) -> Result<&UdpPacket, SizeError<&[u8], UdpPacket>> {
843    ///         // Since `UdpPacket: Unaligned`, we can map the `CastError` to a `SizeError`.
844    ///         UdpPacket::ref_from_bytes(bytes).map_err(Into::into)
845    ///     }
846    /// }
847    /// ```
848    #[inline(always)]
849    fn from(err: CastError<Src, Dst>) -> SizeError<Src, Dst> {
850        match err {
851            #[allow(unreachable_code)]
852            CastError::Alignment(e) => match Infallible::from(e) {},
853            CastError::Size(e) => e,
854            CastError::Validity(i) => match i {},
855        }
856    }
857}
858
859/// The error type of fallible reference conversions.
860///
861/// Fallible reference conversions, like [`TryFromBytes::try_ref_from_bytes`]
862/// may emit [alignment](AlignmentError), [size](SizeError), and
863/// [validity](ValidityError) errors.
864// Bounds on generic parameters are not enforced in type aliases, but they do
865// appear in rustdoc.
866#[allow(type_alias_bounds)]
867pub type TryCastError<Src, Dst: ?Sized + TryFromBytes> =
868    ConvertError<AlignmentError<Src, Dst>, SizeError<Src, Dst>, ValidityError<Src, Dst>>;
869
870// FIXME(#1139): Remove the `TryFromBytes` here and in other downstream
871// locations (all the way to `ValidityError`) if we determine it's not necessary
872// for rich validity errors.
873impl<Src, Dst: ?Sized + TryFromBytes> TryCastError<Src, Dst> {
874    /// Produces the source underlying the failed conversion.
875    #[inline]
876    pub fn into_src(self) -> Src {
877        match self {
878            Self::Alignment(e) => e.src,
879            Self::Size(e) => e.src,
880            Self::Validity(e) => e.src,
881        }
882    }
883
884    /// Maps the source value associated with the conversion error.
885    ///
886    /// This can help mitigate [issues with `Send`, `Sync` and `'static`
887    /// bounds][self#send-sync-and-static].
888    ///
889    /// # Examples
890    ///
891    /// ```
892    /// use core::num::NonZeroU32;
893    /// use zerocopy::*;
894    ///
895    /// let source: [u8; 3] = [0, 0, 0];
896    ///
897    /// // Try to read a `NonZeroU32` from `source`.
898    /// let maybe_u32: Result<&NonZeroU32, TryCastError<&[u8], NonZeroU32>>
899    ///     = NonZeroU32::try_ref_from_bytes(&source[..]);
900    ///
901    /// // Map the error's source to its size and address.
902    /// let maybe_u32: Result<&NonZeroU32, TryCastError<(usize, usize), NonZeroU32>> =
903    ///     maybe_u32.map_err(|err| {
904    ///         err.map_src(|src| (src.len(), src.as_ptr() as usize))
905    ///     });
906    /// ```
907    #[inline]
908    pub fn map_src<NewSrc>(self, f: impl FnOnce(Src) -> NewSrc) -> TryCastError<NewSrc, Dst> {
909        match self {
910            Self::Alignment(e) => TryCastError::Alignment(e.map_src(f)),
911            Self::Size(e) => TryCastError::Size(e.map_src(f)),
912            Self::Validity(e) => TryCastError::Validity(e.map_src(f)),
913        }
914    }
915}
916
917impl<Src, Dst: ?Sized + TryFromBytes> From<CastError<Src, Dst>> for TryCastError<Src, Dst> {
918    #[inline]
919    fn from(value: CastError<Src, Dst>) -> Self {
920        match value {
921            CastError::Alignment(e) => Self::Alignment(e),
922            CastError::Size(e) => Self::Size(e),
923            CastError::Validity(i) => match i {},
924        }
925    }
926}
927
928/// The error type of fallible read-conversions.
929///
930/// Fallible read-conversions, like [`TryFromBytes::try_read_from_bytes`] may
931/// emit [size](SizeError) and [validity](ValidityError) errors, but not
932/// alignment errors.
933// Bounds on generic parameters are not enforced in type aliases, but they do
934// appear in rustdoc.
935#[allow(type_alias_bounds)]
936pub type TryReadError<Src, Dst: ?Sized + TryFromBytes> =
937    ConvertError<Infallible, SizeError<Src, Dst>, ValidityError<Src, Dst>>;
938
939impl<Src, Dst: ?Sized + TryFromBytes> TryReadError<Src, Dst> {
940    /// Produces the source underlying the failed conversion.
941    #[inline]
942    pub fn into_src(self) -> Src {
943        match self {
944            Self::Alignment(i) => match i {},
945            Self::Size(e) => e.src,
946            Self::Validity(e) => e.src,
947        }
948    }
949
950    /// Maps the source value associated with the conversion error.
951    ///
952    /// This can help mitigate [issues with `Send`, `Sync` and `'static`
953    /// bounds][self#send-sync-and-static].
954    ///
955    /// # Examples
956    ///
957    /// ```
958    /// use core::num::NonZeroU32;
959    /// use zerocopy::*;
960    ///
961    /// let source: [u8; 3] = [0, 0, 0];
962    ///
963    /// // Try to read a `NonZeroU32` from `source`.
964    /// let maybe_u32: Result<NonZeroU32, TryReadError<&[u8], NonZeroU32>>
965    ///     = NonZeroU32::try_read_from_bytes(&source[..]);
966    ///
967    /// // Map the error's source to its size.
968    /// let maybe_u32: Result<NonZeroU32, TryReadError<usize, NonZeroU32>> =
969    ///     maybe_u32.map_err(|err| {
970    ///         err.map_src(|src| src.len())
971    ///     });
972    /// ```
973    #[inline]
974    pub fn map_src<NewSrc>(self, f: impl FnOnce(Src) -> NewSrc) -> TryReadError<NewSrc, Dst> {
975        match self {
976            Self::Alignment(i) => match i {},
977            Self::Size(e) => TryReadError::Size(e.map_src(f)),
978            Self::Validity(e) => TryReadError::Validity(e.map_src(f)),
979        }
980    }
981}
982
983/// The error type of well-aligned, fallible casts.
984///
985/// This is like [`TryCastError`], but for casts that are always well-aligned.
986/// It is identical to `TryCastError`, except that its alignment error is
987/// [`Infallible`].
988///
989/// As of this writing, none of zerocopy's API produces this error directly.
990/// However, it is useful since it permits users to infallibly discard alignment
991/// errors when they can prove statically that alignment errors are impossible.
992///
993/// # Examples
994///
995/// ```
996/// use core::convert::Infallible;
997/// use zerocopy::*;
998/// # use zerocopy_derive::*;
999///
1000/// #[derive(TryFromBytes, KnownLayout, Unaligned, Immutable)]
1001/// #[repr(C, packed)]
1002/// struct Bools {
1003///     one: bool,
1004///     two: bool,
1005///     many: [bool],
1006/// }
1007///
1008/// impl Bools {
1009///     fn parse(bytes: &[u8]) -> Result<&Bools, AlignedTryCastError<&[u8], Bools>> {
1010///         // Since `Bools: Unaligned`, we can infallibly discard
1011///         // the alignment error.
1012///         Bools::try_ref_from_bytes(bytes).map_err(Into::into)
1013///     }
1014/// }
1015/// ```
1016#[allow(type_alias_bounds)]
1017pub type AlignedTryCastError<Src, Dst: ?Sized + TryFromBytes> =
1018    ConvertError<Infallible, SizeError<Src, Dst>, ValidityError<Src, Dst>>;
1019
1020/// The error type of a failed allocation.
1021///
1022/// This type is intended to be deprecated in favor of the standard library's
1023/// [`AllocError`] type once it is stabilized. When that happens, this type will
1024/// be replaced by a type alias to the standard library type. We do not intend
1025/// to treat this as a breaking change; users who wish to avoid breakage should
1026/// avoid writing code which assumes that this is *not* such an alias. For
1027/// example, implementing the same trait for both types will result in an impl
1028/// conflict once this type is an alias.
1029///
1030/// [`AllocError`]: https://doc.rust-lang.org/alloc/alloc/struct.AllocError.html
1031#[derive(Copy, Clone, PartialEq, Eq, Debug)]
1032pub struct AllocError;
1033
1034#[cfg(test)]
1035mod tests {
1036    use core::convert::Infallible;
1037
1038    use super::*;
1039
1040    #[test]
1041    fn test_send_sync() {
1042        // Test that all error types are `Send + Sync` even if `Dst: !Send +
1043        // !Sync`.
1044
1045        #[allow(dead_code)]
1046        fn is_send_sync<T: Send + Sync>(_t: T) {}
1047
1048        #[allow(dead_code)]
1049        fn alignment_err_is_send_sync<Src: Send + Sync, Dst>(err: AlignmentError<Src, Dst>) {
1050            is_send_sync(err)
1051        }
1052
1053        #[allow(dead_code)]
1054        fn size_err_is_send_sync<Src: Send + Sync, Dst>(err: SizeError<Src, Dst>) {
1055            is_send_sync(err)
1056        }
1057
1058        #[allow(dead_code)]
1059        fn validity_err_is_send_sync<Src: Send + Sync, Dst: TryFromBytes>(
1060            err: ValidityError<Src, Dst>,
1061        ) {
1062            is_send_sync(err)
1063        }
1064
1065        #[allow(dead_code)]
1066        fn convert_error_is_send_sync<Src: Send + Sync, Dst: TryFromBytes>(
1067            err: ConvertError<
1068                AlignmentError<Src, Dst>,
1069                SizeError<Src, Dst>,
1070                ValidityError<Src, Dst>,
1071            >,
1072        ) {
1073            is_send_sync(err)
1074        }
1075    }
1076
1077    #[test]
1078    fn test_eq_partial_eq_clone() {
1079        // Test that all error types implement `Eq`, `PartialEq`
1080        // and `Clone` if src does
1081        // even if `Dst: !Eq`, `!PartialEq`, `!Clone`.
1082
1083        #[allow(dead_code)]
1084        fn is_eq_partial_eq_clone<T: Eq + PartialEq + Clone>(_t: T) {}
1085
1086        #[allow(dead_code)]
1087        fn alignment_err_is_eq_partial_eq_clone<Src: Eq + PartialEq + Clone, Dst>(
1088            err: AlignmentError<Src, Dst>,
1089        ) {
1090            is_eq_partial_eq_clone(err)
1091        }
1092
1093        #[allow(dead_code)]
1094        fn size_err_is_eq_partial_eq_clone<Src: Eq + PartialEq + Clone, Dst>(
1095            err: SizeError<Src, Dst>,
1096        ) {
1097            is_eq_partial_eq_clone(err)
1098        }
1099
1100        #[allow(dead_code)]
1101        fn validity_err_is_eq_partial_eq_clone<Src: Eq + PartialEq + Clone, Dst: TryFromBytes>(
1102            err: ValidityError<Src, Dst>,
1103        ) {
1104            is_eq_partial_eq_clone(err)
1105        }
1106
1107        #[allow(dead_code)]
1108        fn convert_error_is_eq_partial_eq_clone<Src: Eq + PartialEq + Clone, Dst: TryFromBytes>(
1109            err: ConvertError<
1110                AlignmentError<Src, Dst>,
1111                SizeError<Src, Dst>,
1112                ValidityError<Src, Dst>,
1113            >,
1114        ) {
1115            is_eq_partial_eq_clone(err)
1116        }
1117    }
1118
1119    #[test]
1120    fn alignment_display() {
1121        #[repr(C, align(128))]
1122        struct Aligned {
1123            bytes: [u8; 128],
1124        }
1125
1126        impl_known_layout!(elain::Align::<8>);
1127
1128        let aligned = Aligned { bytes: [0; 128] };
1129
1130        let bytes = &aligned.bytes[1..];
1131        let addr = crate::util::AsAddress::addr(bytes);
1132        assert_eq!(
1133            AlignmentError::<_, elain::Align::<8>>::new_checked(bytes).to_string(),
1134            format!("The conversion failed because the address of the source is not a multiple of the alignment of the destination type.\n\
1135            \nSource type: &[u8]\
1136            \nSource address: 0x{:x} (a multiple of 1)\
1137            \nDestination type: elain::Align<8>\
1138            \nDestination alignment: 8", addr)
1139        );
1140
1141        let bytes = &aligned.bytes[2..];
1142        let addr = crate::util::AsAddress::addr(bytes);
1143        assert_eq!(
1144            AlignmentError::<_, elain::Align::<8>>::new_checked(bytes).to_string(),
1145            format!("The conversion failed because the address of the source is not a multiple of the alignment of the destination type.\n\
1146            \nSource type: &[u8]\
1147            \nSource address: 0x{:x} (a multiple of 2)\
1148            \nDestination type: elain::Align<8>\
1149            \nDestination alignment: 8", addr)
1150        );
1151
1152        let bytes = &aligned.bytes[3..];
1153        let addr = crate::util::AsAddress::addr(bytes);
1154        assert_eq!(
1155            AlignmentError::<_, elain::Align::<8>>::new_checked(bytes).to_string(),
1156            format!("The conversion failed because the address of the source is not a multiple of the alignment of the destination type.\n\
1157            \nSource type: &[u8]\
1158            \nSource address: 0x{:x} (a multiple of 1)\
1159            \nDestination type: elain::Align<8>\
1160            \nDestination alignment: 8", addr)
1161        );
1162
1163        let bytes = &aligned.bytes[4..];
1164        let addr = crate::util::AsAddress::addr(bytes);
1165        assert_eq!(
1166            AlignmentError::<_, elain::Align::<8>>::new_checked(bytes).to_string(),
1167            format!("The conversion failed because the address of the source is not a multiple of the alignment of the destination type.\n\
1168            \nSource type: &[u8]\
1169            \nSource address: 0x{:x} (a multiple of 4)\
1170            \nDestination type: elain::Align<8>\
1171            \nDestination alignment: 8", addr)
1172        );
1173    }
1174
1175    #[test]
1176    fn size_display() {
1177        assert_eq!(
1178            SizeError::<_, [u8]>::new(&[0u8; 2][..]).to_string(),
1179            "The conversion failed because the source was incorrectly sized to complete the conversion into the destination type.\n\
1180            \nSource type: &[u8]\
1181            \nSource size: 2 bytes\
1182            \nDestination type: [u8]"
1183        );
1184
1185        assert_eq!(
1186            SizeError::<_, [u8; 2]>::new(&[0u8; 1][..]).to_string(),
1187            "The conversion failed because the source was incorrectly sized to complete the conversion into the destination type.\n\
1188            \nSource type: &[u8]\
1189            \nSource size: 1 byte\
1190            \nDestination size: 2 bytes\
1191            \nDestination type: [u8; 2]"
1192        );
1193    }
1194
1195    #[test]
1196    fn validity_display() {
1197        assert_eq!(
1198            ValidityError::<_, bool>::new(&[2u8; 1][..]).to_string(),
1199            "The conversion failed because the source bytes are not a valid value of the destination type.\n\
1200            \n\
1201            Destination type: bool"
1202        );
1203    }
1204
1205    #[test]
1206    fn test_convert_error_debug() {
1207        let err: ConvertError<
1208            AlignmentError<&[u8], u16>,
1209            SizeError<&[u8], u16>,
1210            ValidityError<&[u8], bool>,
1211        > = ConvertError::Alignment(AlignmentError::new_checked(&[0u8]));
1212        assert_eq!(format!("{:?}", err), "Alignment(AlignmentError)");
1213
1214        let err: ConvertError<
1215            AlignmentError<&[u8], u16>,
1216            SizeError<&[u8], u16>,
1217            ValidityError<&[u8], bool>,
1218        > = ConvertError::Size(SizeError::new(&[0u8]));
1219        assert_eq!(format!("{:?}", err), "Size(SizeError)");
1220
1221        let err: ConvertError<
1222            AlignmentError<&[u8], u16>,
1223            SizeError<&[u8], u16>,
1224            ValidityError<&[u8], bool>,
1225        > = ConvertError::Validity(ValidityError::new(&[0u8]));
1226        assert_eq!(format!("{:?}", err), "Validity(ValidityError)");
1227    }
1228
1229    #[test]
1230    fn test_convert_error_from_unaligned() {
1231        // u8 is Unaligned
1232        let err: ConvertError<
1233            AlignmentError<&[u8], u8>,
1234            SizeError<&[u8], u8>,
1235            ValidityError<&[u8], bool>,
1236        > = ConvertError::Size(SizeError::new(&[0u8]));
1237        let converted: ConvertError<Infallible, SizeError<&[u8], u8>, ValidityError<&[u8], bool>> =
1238            ConvertError::from(err);
1239        match converted {
1240            ConvertError::Size(_) => {}
1241            _ => panic!("Expected Size error"),
1242        }
1243    }
1244
1245    #[test]
1246    fn test_alignment_error_display_debug() {
1247        let err: AlignmentError<&[u8], u16> = AlignmentError::new_checked(&[0u8]);
1248        assert!(format!("{:?}", err).contains("AlignmentError"));
1249        assert!(format!("{}", err).contains("address of the source is not a multiple"));
1250    }
1251
1252    #[test]
1253    fn test_size_error_display_debug() {
1254        let err: SizeError<&[u8], u16> = SizeError::new(&[0u8]);
1255        assert!(format!("{:?}", err).contains("SizeError"));
1256        assert!(format!("{}", err).contains("source was incorrectly sized"));
1257    }
1258
1259    #[test]
1260    fn test_validity_error_display_debug() {
1261        let err: ValidityError<&[u8], bool> = ValidityError::new(&[0u8]);
1262        assert!(format!("{:?}", err).contains("ValidityError"));
1263        assert!(format!("{}", err).contains("source bytes are not a valid value"));
1264    }
1265
1266    #[test]
1267    fn test_convert_error_display_debug_more() {
1268        let err: ConvertError<
1269            AlignmentError<&[u8], u16>,
1270            SizeError<&[u8], u16>,
1271            ValidityError<&[u8], bool>,
1272        > = ConvertError::Alignment(AlignmentError::new_checked(&[0u8]));
1273        assert!(format!("{}", err).contains("address of the source is not a multiple"));
1274
1275        let err: ConvertError<
1276            AlignmentError<&[u8], u16>,
1277            SizeError<&[u8], u16>,
1278            ValidityError<&[u8], bool>,
1279        > = ConvertError::Size(SizeError::new(&[0u8]));
1280        assert!(format!("{}", err).contains("source was incorrectly sized"));
1281
1282        let err: ConvertError<
1283            AlignmentError<&[u8], u16>,
1284            SizeError<&[u8], u16>,
1285            ValidityError<&[u8], bool>,
1286        > = ConvertError::Validity(ValidityError::new(&[0u8]));
1287        assert!(format!("{}", err).contains("source bytes are not a valid value"));
1288    }
1289
1290    #[test]
1291    fn test_alignment_error_methods() {
1292        let err: AlignmentError<&[u8], u16> = AlignmentError::new_checked(&[0u8]);
1293
1294        // into_src
1295        let src = err.clone().into_src();
1296        assert_eq!(src, &[0u8]);
1297
1298        // into
1299        let converted: ConvertError<
1300            AlignmentError<&[u8], u16>,
1301            SizeError<&[u8], u16>,
1302            ValidityError<&[u8], bool>,
1303        > = err.clone().into();
1304        match converted {
1305            ConvertError::Alignment(_) => {}
1306            _ => panic!("Expected Alignment error"),
1307        }
1308
1309        // clone
1310        let cloned = err.clone();
1311        assert_eq!(err, cloned);
1312
1313        // eq
1314        assert_eq!(err, cloned);
1315        let err2: AlignmentError<&[u8], u16> = AlignmentError::new_checked(&[1u8]);
1316        assert_ne!(err, err2);
1317    }
1318
1319    #[test]
1320    fn test_convert_error_from_unaligned_variants() {
1321        // u8 is Unaligned
1322        let err: ConvertError<
1323            AlignmentError<&[u8], u8>,
1324            SizeError<&[u8], u8>,
1325            ValidityError<&[u8], bool>,
1326        > = ConvertError::Validity(ValidityError::new(&[0u8]));
1327        let converted: ConvertError<Infallible, SizeError<&[u8], u8>, ValidityError<&[u8], bool>> =
1328            ConvertError::from(err);
1329        match converted {
1330            ConvertError::Validity(_) => {}
1331            _ => panic!("Expected Validity error"),
1332        }
1333
1334        let err: ConvertError<
1335            AlignmentError<&[u8], u8>,
1336            SizeError<&[u8], u8>,
1337            ValidityError<&[u8], bool>,
1338        > = ConvertError::Size(SizeError::new(&[0u8]));
1339        let converted: ConvertError<Infallible, SizeError<&[u8], u8>, ValidityError<&[u8], bool>> =
1340            ConvertError::from(err);
1341        match converted {
1342            ConvertError::Size(_) => {}
1343            _ => panic!("Expected Size error"),
1344        }
1345    }
1346}