zerocopy_derive/
lib.rs

1// Copyright 2019 The Fuchsia Authors
2//
3// Licensed under a BSD-style license <LICENSE-BSD>, Apache License, Version 2.0
4// <LICENSE-APACHE or https://www.apache.org/licenses/LICENSE-2.0>, or the MIT
5// license <LICENSE-MIT or https://opensource.org/licenses/MIT>, at your option.
6// This file may not be copied, modified, or distributed except according to
7// those terms.
8
9//! Derive macros for [zerocopy]'s traits.
10//!
11//! [zerocopy]: https://docs.rs/zerocopy
12
13// Sometimes we want to use lints which were added after our MSRV.
14// `unknown_lints` is `warn` by default and we deny warnings in CI, so without
15// this attribute, any unknown lint would cause a CI failure when testing with
16// our MSRV.
17#![allow(unknown_lints)]
18#![deny(renamed_and_removed_lints)]
19#![deny(clippy::all, clippy::missing_safety_doc, clippy::undocumented_unsafe_blocks)]
20#![deny(
21    rustdoc::bare_urls,
22    rustdoc::broken_intra_doc_links,
23    rustdoc::invalid_codeblock_attributes,
24    rustdoc::invalid_html_tags,
25    rustdoc::invalid_rust_codeblocks,
26    rustdoc::missing_crate_level_docs,
27    rustdoc::private_intra_doc_links
28)]
29#![recursion_limit = "128"]
30
31mod r#enum;
32mod ext;
33#[cfg(test)]
34mod output_tests;
35mod repr;
36
37use proc_macro2::{TokenStream, TokenTree};
38use quote::ToTokens;
39
40use {
41    proc_macro2::Span,
42    quote::quote,
43    syn::{
44        parse_quote, Attribute, Data, DataEnum, DataStruct, DataUnion, DeriveInput, Error, Expr,
45        ExprLit, ExprUnary, GenericParam, Ident, Lit, Meta, Path, Type, UnOp, WherePredicate,
46    },
47};
48
49use {crate::ext::*, crate::repr::*};
50
51// TODO(https://github.com/rust-lang/rust/issues/54140): Some errors could be
52// made better if we could add multiple lines of error output like this:
53//
54// error: unsupported representation
55//   --> enum.rs:28:8
56//    |
57// 28 | #[repr(transparent)]
58//    |
59// help: required by the derive of FromBytes
60//
61// Instead, we have more verbose error messages like "unsupported representation
62// for deriving FromZeros, FromBytes, IntoBytes, or Unaligned on an enum"
63//
64// This will probably require Span::error
65// (https://doc.rust-lang.org/nightly/proc_macro/struct.Span.html#method.error),
66// which is currently unstable. Revisit this once it's stable.
67
68/// Defines a derive function named `$outer` which parses its input
69/// `TokenStream` as a `DeriveInput` and then invokes the `$inner` function.
70///
71/// Note that the separate `$outer` parameter is required - proc macro functions
72/// are currently required to live at the crate root, and so the caller must
73/// specify the name in order to avoid name collisions.
74macro_rules! derive {
75    ($trait:ident => $outer:ident => $inner:ident) => {
76        #[proc_macro_derive($trait, attributes(zerocopy))]
77        pub fn $outer(ts: proc_macro::TokenStream) -> proc_macro::TokenStream {
78            let ast = syn::parse_macro_input!(ts as DeriveInput);
79            let zerocopy_crate = match extract_zerocopy_crate(&ast.attrs) {
80                Ok(zerocopy_crate) => zerocopy_crate,
81                Err(e) => return e.into_compile_error().into(),
82            };
83            $inner(&ast, Trait::$trait, &zerocopy_crate).into_ts().into()
84        }
85    };
86}
87
88trait IntoTokenStream {
89    fn into_ts(self) -> TokenStream;
90}
91
92impl IntoTokenStream for TokenStream {
93    fn into_ts(self) -> TokenStream {
94        self
95    }
96}
97
98impl IntoTokenStream for Result<TokenStream, Error> {
99    fn into_ts(self) -> TokenStream {
100        match self {
101            Ok(ts) => ts,
102            Err(err) => err.to_compile_error(),
103        }
104    }
105}
106
107/// Attempt to extract a crate path from the provided attributes. Defaults to `::zerocopy` if not
108/// found.
109fn extract_zerocopy_crate(attrs: &[Attribute]) -> Result<Path, Error> {
110    let mut path = parse_quote!(::zerocopy);
111
112    for attr in attrs {
113        if let Meta::List(ref meta_list) = attr.meta {
114            if meta_list.path.is_ident("zerocopy") {
115                attr.parse_nested_meta(|meta| {
116                    if meta.path.is_ident("crate") {
117                        let expr = meta.value().and_then(|value| value.parse());
118                        if let Ok(Expr::Lit(ExprLit { lit: Lit::Str(lit), .. })) = expr {
119                            if let Ok(path_lit) = lit.parse() {
120                                path = path_lit;
121                                return Ok(());
122                            }
123                        }
124
125                        return Err(Error::new(
126                            Span::call_site(),
127                            "`crate` attribute requires a path as the value",
128                        ));
129                    }
130
131                    Err(Error::new(
132                        Span::call_site(),
133                        format!("unknown attribute encountered: {}", meta.path.into_token_stream()),
134                    ))
135                })?;
136            }
137        }
138    }
139
140    Ok(path)
141}
142
143derive!(KnownLayout => derive_known_layout => derive_known_layout_inner);
144derive!(Immutable => derive_no_cell => derive_no_cell_inner);
145derive!(TryFromBytes => derive_try_from_bytes => derive_try_from_bytes_inner);
146derive!(FromZeros => derive_from_zeros => derive_from_zeros_inner);
147derive!(FromBytes => derive_from_bytes => derive_from_bytes_inner);
148derive!(IntoBytes => derive_into_bytes => derive_into_bytes_inner);
149derive!(Unaligned => derive_unaligned => derive_unaligned_inner);
150derive!(ByteHash => derive_hash => derive_hash_inner);
151derive!(ByteEq => derive_eq => derive_eq_inner);
152
153/// Deprecated: prefer [`FromZeros`] instead.
154#[deprecated(since = "0.8.0", note = "`FromZeroes` was renamed to `FromZeros`")]
155#[doc(hidden)]
156#[proc_macro_derive(FromZeroes)]
157pub fn derive_from_zeroes(ts: proc_macro::TokenStream) -> proc_macro::TokenStream {
158    derive_from_zeros(ts)
159}
160
161/// Deprecated: prefer [`IntoBytes`] instead.
162#[deprecated(since = "0.8.0", note = "`AsBytes` was renamed to `IntoBytes`")]
163#[doc(hidden)]
164#[proc_macro_derive(AsBytes)]
165pub fn derive_as_bytes(ts: proc_macro::TokenStream) -> proc_macro::TokenStream {
166    derive_into_bytes(ts)
167}
168
169fn derive_known_layout_inner(
170    ast: &DeriveInput,
171    _top_level: Trait,
172    zerocopy_crate: &Path,
173) -> Result<TokenStream, Error> {
174    let is_repr_c_struct = match &ast.data {
175        Data::Struct(..) => {
176            let repr = StructUnionRepr::from_attrs(&ast.attrs)?;
177            if repr.is_c() {
178                Some(repr)
179            } else {
180                None
181            }
182        }
183        Data::Enum(..) | Data::Union(..) => None,
184    };
185
186    let fields = ast.data.fields();
187
188    let (self_bounds, inner_extras, outer_extras) = if let (
189        Some(repr),
190        Some((trailing_field, leading_fields)),
191    ) = (is_repr_c_struct, fields.split_last())
192    {
193        let (_vis, trailing_field_name, trailing_field_ty) = trailing_field;
194        let leading_fields_tys = leading_fields.iter().map(|(_vis, _name, ty)| ty);
195
196        let core_path = quote!(#zerocopy_crate::util::macro_util::core_reexport);
197        let repr_align = repr
198            .get_align()
199            .map(|align| {
200                let align = align.t.get();
201                quote!(#core_path::num::NonZeroUsize::new(#align as usize))
202            })
203            .unwrap_or_else(|| quote!(#core_path::option::Option::None));
204        let repr_packed = repr
205            .get_packed()
206            .map(|packed| {
207                let packed = packed.get();
208                quote!(#core_path::num::NonZeroUsize::new(#packed as usize))
209            })
210            .unwrap_or_else(|| quote!(#core_path::option::Option::None));
211
212        let make_methods = |trailing_field_ty| {
213            quote! {
214                // SAFETY:
215                // - The returned pointer has the same address and provenance as
216                //   `bytes`:
217                //   - The recursive call to `raw_from_ptr_len` preserves both
218                //     address and provenance.
219                //   - The `as` cast preserves both address and provenance.
220                //   - `NonNull::new_unchecked` preserves both address and
221                //     provenance.
222                // - If `Self` is a slice DST, the returned pointer encodes
223                //   `elems` elements in the trailing slice:
224                //   - This is true of the recursive call to `raw_from_ptr_len`.
225                //   - `trailing.as_ptr() as *mut Self` preserves trailing slice
226                //     element count [1].
227                //   - `NonNull::new_unchecked` preserves trailing slice element
228                //     count.
229                //
230                // [1] Per https://doc.rust-lang.org/reference/expressions/operator-expr.html#pointer-to-pointer-cast:
231                //
232                //   `*const T`` / `*mut T` can be cast to `*const U` / `*mut U`
233                //   with the following behavior:
234                //     ...
235                //     - If `T` and `U` are both unsized, the pointer is also
236                //       returned unchanged. In particular, the metadata is
237                //       preserved exactly.
238                //
239                //       For instance, a cast from `*const [T]` to `*const [U]`
240                //       preserves the number of elements. ... The same holds
241                //       for str and any compound type whose unsized tail is a
242                //       slice type, such as struct `Foo(i32, [u8])` or `(u64, Foo)`.
243                #[inline(always)]
244                fn raw_from_ptr_len(
245                    bytes: #zerocopy_crate::util::macro_util::core_reexport::ptr::NonNull<u8>,
246                    meta: Self::PointerMetadata,
247                ) -> #zerocopy_crate::util::macro_util::core_reexport::ptr::NonNull<Self> {
248                    use #zerocopy_crate::KnownLayout;
249                    let trailing = <#trailing_field_ty as KnownLayout>::raw_from_ptr_len(bytes, meta);
250                    let slf = trailing.as_ptr() as *mut Self;
251                    // SAFETY: Constructed from `trailing`, which is non-null.
252                    unsafe { #zerocopy_crate::util::macro_util::core_reexport::ptr::NonNull::new_unchecked(slf) }
253                }
254
255                #[inline(always)]
256                fn pointer_to_metadata(ptr: *mut Self) -> Self::PointerMetadata {
257                    <#trailing_field_ty>::pointer_to_metadata(ptr as *mut _)
258                }
259            }
260        };
261
262        let inner_extras = {
263            let leading_fields_tys = leading_fields_tys.clone();
264            let methods = make_methods(*trailing_field_ty);
265            let (_, ty_generics, _) = ast.generics.split_for_impl();
266
267            quote!(
268                type PointerMetadata = <#trailing_field_ty as #zerocopy_crate::KnownLayout>::PointerMetadata;
269
270                type MaybeUninit = __ZerocopyKnownLayoutMaybeUninit #ty_generics;
271
272                // SAFETY: `LAYOUT` accurately describes the layout of `Self`.
273                // The layout of `Self` is reflected using a sequence of
274                // invocations of `DstLayout::{new_zst,extend,pad_to_align}`.
275                // The documentation of these items vows that invocations in
276                // this manner will acurately describe a type, so long as:
277                //
278                //  - that type is `repr(C)`,
279                //  - its fields are enumerated in the order they appear,
280                //  - the presence of `repr_align` and `repr_packed` are correctly accounted for.
281                //
282                // We respect all three of these preconditions here. This
283                // expansion is only used if `is_repr_c_struct`, we enumerate
284                // the fields in order, and we extract the values of `align(N)`
285                // and `packed(N)`.
286                const LAYOUT: #zerocopy_crate::DstLayout = {
287                    use #zerocopy_crate::util::macro_util::core_reexport::num::NonZeroUsize;
288                    use #zerocopy_crate::{DstLayout, KnownLayout};
289
290                    let repr_align = #repr_align;
291                    let repr_packed = #repr_packed;
292
293                    DstLayout::new_zst(repr_align)
294                        #(.extend(DstLayout::for_type::<#leading_fields_tys>(), repr_packed))*
295                        .extend(<#trailing_field_ty as KnownLayout>::LAYOUT, repr_packed)
296                        .pad_to_align()
297                };
298
299                #methods
300            )
301        };
302
303        let outer_extras = {
304            let ident = &ast.ident;
305            let vis = &ast.vis;
306            let params = &ast.generics.params;
307            let (impl_generics, ty_generics, where_clause) = ast.generics.split_for_impl();
308
309            let predicates = if let Some(where_clause) = where_clause {
310                where_clause.predicates.clone()
311            } else {
312                Default::default()
313            };
314
315            // Generate a valid ident for a type-level handle to a field of a
316            // given `name`.
317            let field_index =
318                |name| Ident::new(&format!("__Zerocopy_Field_{}", name), ident.span());
319
320            let field_indices: Vec<_> =
321                fields.iter().map(|(_vis, name, _ty)| field_index(name)).collect();
322
323            // Define the collection of type-level field handles.
324            let field_defs = field_indices.iter().zip(&fields).map(|(idx, (vis, _, _))| {
325                quote! {
326                    #[allow(non_camel_case_types)]
327                    #vis struct #idx;
328                }
329            });
330
331            let field_impls = field_indices.iter().zip(&fields).map(|(idx, (_, _, ty))| quote! {
332                // SAFETY: `#ty` is the type of `#ident`'s field at `#idx`.
333                unsafe impl #impl_generics #zerocopy_crate::util::macro_util::Field<#idx> for #ident #ty_generics
334                where
335                    #predicates
336                {
337                    type Type = #ty;
338                }
339            });
340
341            let trailing_field_index = field_index(trailing_field_name);
342            let leading_field_indices =
343                leading_fields.iter().map(|(_vis, name, _ty)| field_index(name));
344
345            let trailing_field_ty = quote! {
346                <#ident #ty_generics as
347                    #zerocopy_crate::util::macro_util::Field<#trailing_field_index>
348                >::Type
349            };
350
351            let methods = make_methods(&parse_quote! {
352                <#trailing_field_ty as #zerocopy_crate::KnownLayout>::MaybeUninit
353            });
354
355            quote! {
356                #(#field_defs)*
357
358                #(#field_impls)*
359
360                // SAFETY: This has the same layout as the derive target type,
361                // except that it admits uninit bytes. This is ensured by using
362                // the same repr as the target type, and by using field types
363                // which have the same layout as the target type's fields,
364                // except that they admit uninit bytes. We indirect through
365                // `Field` to ensure that occurrences of `Self` resolve to
366                // `#ty`, not `__ZerocopyKnownLayoutMaybeUninit` (see #2116).
367                #repr
368                #[doc(hidden)]
369                // Required on some rustc versions due to a lint that is only
370                // triggered when `derive(KnownLayout)` is applied to `repr(C)`
371                // structs that are generated by macros. See #2177 for details.
372                #[allow(private_bounds)]
373                #vis struct __ZerocopyKnownLayoutMaybeUninit<#params> (
374                    #(#zerocopy_crate::util::macro_util::core_reexport::mem::MaybeUninit<
375                        <#ident #ty_generics as
376                            #zerocopy_crate::util::macro_util::Field<#leading_field_indices>
377                        >::Type
378                    >,)*
379                    // NOTE(#2302): We wrap in `ManuallyDrop` here in case the
380                    // type we're operating on is both generic and
381                    // `repr(packed)`. In that case, Rust needs to know that the
382                    // type is *either* `Sized` or has a trivial `Drop`.
383                    // `ManuallyDrop` has a trivial `Drop`, and so satisfies
384                    // this requirement.
385                    #zerocopy_crate::util::macro_util::core_reexport::mem::ManuallyDrop<
386                        <#trailing_field_ty as #zerocopy_crate::KnownLayout>::MaybeUninit
387                    >
388                )
389                where
390                    #trailing_field_ty: #zerocopy_crate::KnownLayout,
391                    #predicates;
392
393                // SAFETY: We largely defer to the `KnownLayout` implementation on
394                // the derive target type (both by using the same tokens, and by
395                // deferring to impl via type-level indirection). This is sound,
396                // since  `__ZerocopyKnownLayoutMaybeUninit` is guaranteed to
397                // have the same layout as the derive target type, except that
398                // `__ZerocopyKnownLayoutMaybeUninit` admits uninit bytes.
399                unsafe impl #impl_generics #zerocopy_crate::KnownLayout for __ZerocopyKnownLayoutMaybeUninit #ty_generics
400                where
401                    #trailing_field_ty: #zerocopy_crate::KnownLayout,
402                    #predicates
403                {
404                    #[allow(clippy::missing_inline_in_public_items)]
405                    fn only_derive_is_allowed_to_implement_this_trait() {}
406
407                    type PointerMetadata = <#ident #ty_generics as #zerocopy_crate::KnownLayout>::PointerMetadata;
408
409                    type MaybeUninit = Self;
410
411                    const LAYOUT: #zerocopy_crate::DstLayout = <#ident #ty_generics as #zerocopy_crate::KnownLayout>::LAYOUT;
412
413                    #methods
414                }
415            }
416        };
417
418        (SelfBounds::None, inner_extras, Some(outer_extras))
419    } else {
420        // For enums, unions, and non-`repr(C)` structs, we require that
421        // `Self` is sized, and as a result don't need to reason about the
422        // internals of the type.
423        (
424            SelfBounds::SIZED,
425            quote!(
426                type PointerMetadata = ();
427                type MaybeUninit =
428                    #zerocopy_crate::util::macro_util::core_reexport::mem::MaybeUninit<Self>;
429
430                // SAFETY: `LAYOUT` is guaranteed to accurately describe the
431                // layout of `Self`, because that is the documented safety
432                // contract of `DstLayout::for_type`.
433                const LAYOUT: #zerocopy_crate::DstLayout = #zerocopy_crate::DstLayout::for_type::<Self>();
434
435                // SAFETY: `.cast` preserves address and provenance.
436                //
437                // TODO(#429): Add documentation to `.cast` that promises that
438                // it preserves provenance.
439                #[inline(always)]
440                fn raw_from_ptr_len(
441                    bytes: #zerocopy_crate::util::macro_util::core_reexport::ptr::NonNull<u8>,
442                    _meta: (),
443                ) -> #zerocopy_crate::util::macro_util::core_reexport::ptr::NonNull<Self>
444                {
445                    bytes.cast::<Self>()
446                }
447
448                #[inline(always)]
449                fn pointer_to_metadata(_ptr: *mut Self) -> () {}
450            ),
451            None,
452        )
453    };
454
455    Ok(match &ast.data {
456        Data::Struct(strct) => {
457            let require_trait_bound_on_field_types = if self_bounds == SelfBounds::SIZED {
458                FieldBounds::None
459            } else {
460                FieldBounds::TRAILING_SELF
461            };
462
463            // A bound on the trailing field is required, since structs are
464            // unsized if their trailing field is unsized. Reflecting the layout
465            // of an usized trailing field requires that the field is
466            // `KnownLayout`.
467            ImplBlockBuilder::new(
468                ast,
469                strct,
470                Trait::KnownLayout,
471                require_trait_bound_on_field_types,
472                zerocopy_crate,
473            )
474            .self_type_trait_bounds(self_bounds)
475            .inner_extras(inner_extras)
476            .outer_extras(outer_extras)
477            .build()
478        }
479        Data::Enum(enm) => {
480            // A bound on the trailing field is not required, since enums cannot
481            // currently be unsized.
482            ImplBlockBuilder::new(ast, enm, Trait::KnownLayout, FieldBounds::None, zerocopy_crate)
483                .self_type_trait_bounds(SelfBounds::SIZED)
484                .inner_extras(inner_extras)
485                .outer_extras(outer_extras)
486                .build()
487        }
488        Data::Union(unn) => {
489            // A bound on the trailing field is not required, since unions
490            // cannot currently be unsized.
491            ImplBlockBuilder::new(ast, unn, Trait::KnownLayout, FieldBounds::None, zerocopy_crate)
492                .self_type_trait_bounds(SelfBounds::SIZED)
493                .inner_extras(inner_extras)
494                .outer_extras(outer_extras)
495                .build()
496        }
497    })
498}
499
500fn derive_no_cell_inner(
501    ast: &DeriveInput,
502    _top_level: Trait,
503    zerocopy_crate: &Path,
504) -> TokenStream {
505    match &ast.data {
506        Data::Struct(strct) => ImplBlockBuilder::new(
507            ast,
508            strct,
509            Trait::Immutable,
510            FieldBounds::ALL_SELF,
511            zerocopy_crate,
512        )
513        .build(),
514        Data::Enum(enm) => {
515            ImplBlockBuilder::new(ast, enm, Trait::Immutable, FieldBounds::ALL_SELF, zerocopy_crate)
516                .build()
517        }
518        Data::Union(unn) => {
519            ImplBlockBuilder::new(ast, unn, Trait::Immutable, FieldBounds::ALL_SELF, zerocopy_crate)
520                .build()
521        }
522    }
523}
524
525fn derive_try_from_bytes_inner(
526    ast: &DeriveInput,
527    top_level: Trait,
528    zerocopy_crate: &Path,
529) -> Result<TokenStream, Error> {
530    match &ast.data {
531        Data::Struct(strct) => derive_try_from_bytes_struct(ast, strct, top_level, zerocopy_crate),
532        Data::Enum(enm) => derive_try_from_bytes_enum(ast, enm, top_level, zerocopy_crate),
533        Data::Union(unn) => Ok(derive_try_from_bytes_union(ast, unn, top_level, zerocopy_crate)),
534    }
535}
536
537fn derive_from_zeros_inner(
538    ast: &DeriveInput,
539    top_level: Trait,
540    zerocopy_crate: &Path,
541) -> Result<TokenStream, Error> {
542    let try_from_bytes = derive_try_from_bytes_inner(ast, top_level, zerocopy_crate)?;
543    let from_zeros = match &ast.data {
544        Data::Struct(strct) => derive_from_zeros_struct(ast, strct, zerocopy_crate),
545        Data::Enum(enm) => derive_from_zeros_enum(ast, enm, zerocopy_crate)?,
546        Data::Union(unn) => derive_from_zeros_union(ast, unn, zerocopy_crate),
547    };
548    Ok(IntoIterator::into_iter([try_from_bytes, from_zeros]).collect())
549}
550
551fn derive_from_bytes_inner(
552    ast: &DeriveInput,
553    top_level: Trait,
554    zerocopy_crate: &Path,
555) -> Result<TokenStream, Error> {
556    let from_zeros = derive_from_zeros_inner(ast, top_level, zerocopy_crate)?;
557    let from_bytes = match &ast.data {
558        Data::Struct(strct) => derive_from_bytes_struct(ast, strct, zerocopy_crate),
559        Data::Enum(enm) => derive_from_bytes_enum(ast, enm, zerocopy_crate)?,
560        Data::Union(unn) => derive_from_bytes_union(ast, unn, zerocopy_crate),
561    };
562
563    Ok(IntoIterator::into_iter([from_zeros, from_bytes]).collect())
564}
565
566fn derive_into_bytes_inner(
567    ast: &DeriveInput,
568    _top_level: Trait,
569    zerocopy_crate: &Path,
570) -> Result<TokenStream, Error> {
571    match &ast.data {
572        Data::Struct(strct) => derive_into_bytes_struct(ast, strct, zerocopy_crate),
573        Data::Enum(enm) => derive_into_bytes_enum(ast, enm, zerocopy_crate),
574        Data::Union(unn) => derive_into_bytes_union(ast, unn, zerocopy_crate),
575    }
576}
577
578fn derive_unaligned_inner(
579    ast: &DeriveInput,
580    _top_level: Trait,
581    zerocopy_crate: &Path,
582) -> Result<TokenStream, Error> {
583    match &ast.data {
584        Data::Struct(strct) => derive_unaligned_struct(ast, strct, zerocopy_crate),
585        Data::Enum(enm) => derive_unaligned_enum(ast, enm, zerocopy_crate),
586        Data::Union(unn) => derive_unaligned_union(ast, unn, zerocopy_crate),
587    }
588}
589
590fn derive_hash_inner(
591    ast: &DeriveInput,
592    _top_level: Trait,
593    zerocopy_crate: &Path,
594) -> Result<TokenStream, Error> {
595    // This doesn't delegate to `impl_block` because `impl_block` assumes it is deriving a
596    // `zerocopy`-defined trait, and these trait impls share a common shape that `Hash` does not.
597    // In particular, `zerocopy` traits contain a method that only `zerocopy_derive` macros
598    // are supposed to implement, and `impl_block` generating this trait method is incompatible
599    // with `Hash`.
600    let type_ident = &ast.ident;
601    let (impl_generics, ty_generics, where_clause) = ast.generics.split_for_impl();
602    let where_predicates = where_clause.map(|clause| &clause.predicates);
603    Ok(quote! {
604        // TODO(#553): Add a test that generates a warning when
605        // `#[allow(deprecated)]` isn't present.
606        #[allow(deprecated)]
607        // While there are not currently any warnings that this suppresses (that
608        // we're aware of), it's good future-proofing hygiene.
609        #[automatically_derived]
610        impl #impl_generics #zerocopy_crate::util::macro_util::core_reexport::hash::Hash for #type_ident #ty_generics
611        where
612            Self: #zerocopy_crate::IntoBytes + #zerocopy_crate::Immutable,
613            #where_predicates
614        {
615            fn hash<H>(&self, state: &mut H)
616            where
617                H: #zerocopy_crate::util::macro_util::core_reexport::hash::Hasher,
618            {
619                #zerocopy_crate::util::macro_util::core_reexport::hash::Hasher::write(
620                    state,
621                    #zerocopy_crate::IntoBytes::as_bytes(self)
622                )
623            }
624
625            fn hash_slice<H>(data: &[Self], state: &mut H)
626            where
627                H: #zerocopy_crate::util::macro_util::core_reexport::hash::Hasher,
628            {
629                #zerocopy_crate::util::macro_util::core_reexport::hash::Hasher::write(
630                    state,
631                    #zerocopy_crate::IntoBytes::as_bytes(data)
632                )
633            }
634        }
635    })
636}
637
638fn derive_eq_inner(
639    ast: &DeriveInput,
640    _top_level: Trait,
641    zerocopy_crate: &Path,
642) -> Result<TokenStream, Error> {
643    // This doesn't delegate to `impl_block` because `impl_block` assumes it is deriving a
644    // `zerocopy`-defined trait, and these trait impls share a common shape that `Eq` does not.
645    // In particular, `zerocopy` traits contain a method that only `zerocopy_derive` macros
646    // are supposed to implement, and `impl_block` generating this trait method is incompatible
647    // with `Eq`.
648    let type_ident = &ast.ident;
649    let (impl_generics, ty_generics, where_clause) = ast.generics.split_for_impl();
650    let where_predicates = where_clause.map(|clause| &clause.predicates);
651    Ok(quote! {
652        // TODO(#553): Add a test that generates a warning when
653        // `#[allow(deprecated)]` isn't present.
654        #[allow(deprecated)]
655        // While there are not currently any warnings that this suppresses (that
656        // we're aware of), it's good future-proofing hygiene.
657        #[automatically_derived]
658        impl #impl_generics #zerocopy_crate::util::macro_util::core_reexport::cmp::PartialEq for #type_ident #ty_generics
659        where
660            Self: #zerocopy_crate::IntoBytes + #zerocopy_crate::Immutable,
661            #where_predicates
662        {
663            fn eq(&self, other: &Self) -> bool {
664                #zerocopy_crate::util::macro_util::core_reexport::cmp::PartialEq::eq(
665                    #zerocopy_crate::IntoBytes::as_bytes(self),
666                    #zerocopy_crate::IntoBytes::as_bytes(other),
667                )
668            }
669        }
670
671        // TODO(#553): Add a test that generates a warning when
672        // `#[allow(deprecated)]` isn't present.
673        #[allow(deprecated)]
674        // While there are not currently any warnings that this suppresses (that
675        // we're aware of), it's good future-proofing hygiene.
676        #[automatically_derived]
677        impl #impl_generics #zerocopy_crate::util::macro_util::core_reexport::cmp::Eq for #type_ident #ty_generics
678        where
679            Self: #zerocopy_crate::IntoBytes + #zerocopy_crate::Immutable,
680            #where_predicates
681        {
682        }
683    })
684}
685
686/// A struct is `TryFromBytes` if:
687/// - all fields are `TryFromBytes`
688fn derive_try_from_bytes_struct(
689    ast: &DeriveInput,
690    strct: &DataStruct,
691    top_level: Trait,
692    zerocopy_crate: &Path,
693) -> Result<TokenStream, Error> {
694    let extras =
695        try_gen_trivial_is_bit_valid(ast, top_level, zerocopy_crate).unwrap_or_else(|| {
696            let fields = strct.fields();
697            let field_names = fields.iter().map(|(_vis, name, _ty)| name);
698            let field_tys = fields.iter().map(|(_vis, _name, ty)| ty);
699            quote!(
700                // SAFETY: We use `is_bit_valid` to validate that each field is
701                // bit-valid, and only return `true` if all of them are. The bit
702                // validity of a struct is just the composition of the bit
703                // validities of its fields, so this is a sound implementation of
704                // `is_bit_valid`.
705                fn is_bit_valid<___ZerocopyAliasing>(
706                    mut candidate: #zerocopy_crate::Maybe<Self, ___ZerocopyAliasing>,
707                ) -> #zerocopy_crate::util::macro_util::core_reexport::primitive::bool
708                where
709                    ___ZerocopyAliasing: #zerocopy_crate::pointer::invariant::Reference,
710                {
711                    use #zerocopy_crate::util::macro_util::core_reexport;
712
713                    true #(&& {
714                        // SAFETY:
715                        // - `project` is a field projection, and so it addresses a
716                        //   subset of the bytes addressed by `slf`
717                        // - ..., and so it preserves provenance
718                        // - ..., and `*slf` is a struct, so `UnsafeCell`s exist at
719                        //   the same byte ranges in the returned pointer's referent
720                        //   as they do in `*slf`
721                        let field_candidate = unsafe {
722                            let project = |slf: core_reexport::ptr::NonNull<Self>| {
723                                let slf = slf.as_ptr();
724                                let field = core_reexport::ptr::addr_of_mut!((*slf).#field_names);
725                                // SAFETY: `cast_unsized_unchecked` promises that
726                                // `slf` will either reference a zero-sized byte
727                                // range, or else will reference a byte range that
728                                // is entirely contained withing an allocated
729                                // object. In either case, this guarantees that
730                                // field projection will not wrap around the address
731                                // space, and so `field` will be non-null.
732                                unsafe { core_reexport::ptr::NonNull::new_unchecked(field) }
733                            };
734
735                            candidate.reborrow().cast_unsized_unchecked(project)
736                        };
737
738                        <#field_tys as #zerocopy_crate::TryFromBytes>::is_bit_valid(field_candidate)
739                    })*
740                }
741            )
742        });
743    Ok(ImplBlockBuilder::new(
744        ast,
745        strct,
746        Trait::TryFromBytes,
747        FieldBounds::ALL_SELF,
748        zerocopy_crate,
749    )
750    .inner_extras(extras)
751    .build())
752}
753
754/// A union is `TryFromBytes` if:
755/// - all of its fields are `TryFromBytes` and `Immutable`
756fn derive_try_from_bytes_union(
757    ast: &DeriveInput,
758    unn: &DataUnion,
759    top_level: Trait,
760    zerocopy_crate: &Path,
761) -> TokenStream {
762    // TODO(#5): Remove the `Immutable` bound.
763    let field_type_trait_bounds =
764        FieldBounds::All(&[TraitBound::Slf, TraitBound::Other(Trait::Immutable)]);
765    let extras =
766        try_gen_trivial_is_bit_valid(ast, top_level, zerocopy_crate).unwrap_or_else(|| {
767            let fields = unn.fields();
768            let field_names = fields.iter().map(|(_vis, name, _ty)| name);
769            let field_tys = fields.iter().map(|(_vis, _name, ty)| ty);
770            quote!(
771                // SAFETY: We use `is_bit_valid` to validate that any field is
772                // bit-valid; we only return `true` if at least one of them is. The
773                // bit validity of a union is not yet well defined in Rust, but it
774                // is guaranteed to be no more strict than this definition. See #696
775                // for a more in-depth discussion.
776                fn is_bit_valid<___ZerocopyAliasing>(
777                    mut candidate: #zerocopy_crate::Maybe<'_, Self,___ZerocopyAliasing>
778                ) -> #zerocopy_crate::util::macro_util::core_reexport::primitive::bool
779                where
780                    ___ZerocopyAliasing: #zerocopy_crate::pointer::invariant::Reference,
781                {
782                    use #zerocopy_crate::util::macro_util::core_reexport;
783
784                    false #(|| {
785                        // SAFETY:
786                        // - `project` is a field projection, and so it addresses a
787                        //   subset of the bytes addressed by `slf`
788                        // - ..., and so it preserves provenance
789                        // - Since `Self: Immutable` is enforced by
790                        //   `self_type_trait_bounds`, neither `*slf` nor the
791                        //   returned pointer's referent contain any `UnsafeCell`s
792                        let field_candidate = unsafe {
793                            let project = |slf: core_reexport::ptr::NonNull<Self>| {
794                                let slf = slf.as_ptr();
795                                let field = core_reexport::ptr::addr_of_mut!((*slf).#field_names);
796                                // SAFETY: `cast_unsized_unchecked` promises that
797                                // `slf` will either reference a zero-sized byte
798                                // range, or else will reference a byte range that
799                                // is entirely contained withing an allocated
800                                // object. In either case, this guarantees that
801                                // field projection will not wrap around the address
802                                // space, and so `field` will be non-null.
803                                unsafe { core_reexport::ptr::NonNull::new_unchecked(field) }
804                            };
805
806                            candidate.reborrow().cast_unsized_unchecked(project)
807                        };
808
809                        <#field_tys as #zerocopy_crate::TryFromBytes>::is_bit_valid(field_candidate)
810                    })*
811                }
812            )
813        });
814    ImplBlockBuilder::new(ast, unn, Trait::TryFromBytes, field_type_trait_bounds, zerocopy_crate)
815        .inner_extras(extras)
816        .build()
817}
818
819fn derive_try_from_bytes_enum(
820    ast: &DeriveInput,
821    enm: &DataEnum,
822    top_level: Trait,
823    zerocopy_crate: &Path,
824) -> Result<TokenStream, Error> {
825    let repr = EnumRepr::from_attrs(&ast.attrs)?;
826
827    // If an enum has no fields, it has a well-defined integer representation,
828    // and every possible bit pattern corresponds to a valid discriminant tag,
829    // then it *could* be `FromBytes` (even if the user hasn't derived
830    // `FromBytes`). This holds if, for `repr(uN)` or `repr(iN)`, there are 2^N
831    // variants.
832    let could_be_from_bytes = enum_size_from_repr(&repr)
833        .map(|size| enm.fields().is_empty() && enm.variants.len() == 1usize << size)
834        .unwrap_or(false);
835
836    let trivial_is_bit_valid = try_gen_trivial_is_bit_valid(ast, top_level, zerocopy_crate);
837    let extra = match (trivial_is_bit_valid, could_be_from_bytes) {
838        (Some(is_bit_valid), _) => is_bit_valid,
839        // SAFETY: It would be sound for the enum to implement `FomBytes`, as
840        // required by `gen_trivial_is_bit_valid_unchecked`.
841        (None, true) => unsafe { gen_trivial_is_bit_valid_unchecked(zerocopy_crate) },
842        (None, false) => {
843            r#enum::derive_is_bit_valid(&ast.ident, &repr, &ast.generics, enm, zerocopy_crate)?
844        }
845    };
846
847    Ok(ImplBlockBuilder::new(ast, enm, Trait::TryFromBytes, FieldBounds::ALL_SELF, zerocopy_crate)
848        .inner_extras(extra)
849        .build())
850}
851
852/// Attempts to generate a `TryFromBytes::is_bit_valid` instance that
853/// unconditionally returns true.
854///
855/// This is possible when the `top_level` trait is `FromBytes` and there are no
856/// generic type parameters. In this case, we know that compilation will succeed
857/// only if the type is unconditionally `FromBytes`. Type parameters are not
858/// supported because a type with type parameters could be `TryFromBytes` but
859/// not `FromBytes` depending on its type parameters, and so deriving a trivial
860/// `is_bit_valid` would be either unsound or, assuming we add a defensive
861/// `Self: FromBytes` bound (as we currently do), overly restrictive. Consider,
862/// for example, that `Foo<bool>` ought to be `TryFromBytes` but not `FromBytes`
863/// in this example:
864///
865/// ```rust,ignore
866/// #[derive(FromBytes)]
867/// #[repr(transparent)]
868/// struct Foo<T>(T);
869/// ```
870///
871/// This should be used where possible. Using this impl is faster to codegen,
872/// faster to compile, and is friendlier on the optimizer.
873fn try_gen_trivial_is_bit_valid(
874    ast: &DeriveInput,
875    top_level: Trait,
876    zerocopy_crate: &Path,
877) -> Option<proc_macro2::TokenStream> {
878    // If the top-level trait is `FromBytes` and `Self` has no type parameters,
879    // then the `FromBytes` derive will fail compilation if `Self` is not
880    // actually soundly `FromBytes`, and so we can rely on that for our
881    // `is_bit_valid` impl. It's plausible that we could make changes - or Rust
882    // could make changes (such as the "trivial bounds" language feature) - that
883    // make this no longer true. To hedge against these, we include an explicit
884    // `Self: FromBytes` check in the generated `is_bit_valid`, which is
885    // bulletproof.
886    if top_level == Trait::FromBytes && ast.generics.params.is_empty() {
887        Some(quote!(
888            // SAFETY: See inline.
889            fn is_bit_valid<___ZerocopyAliasing>(
890                _candidate: #zerocopy_crate::Maybe<Self, ___ZerocopyAliasing>,
891            ) -> #zerocopy_crate::util::macro_util::core_reexport::primitive::bool
892            where
893                ___ZerocopyAliasing: #zerocopy_crate::pointer::invariant::Reference,
894            {
895                if false {
896                    fn assert_is_from_bytes<T>()
897                    where
898                        T: #zerocopy_crate::FromBytes,
899                        T: ?#zerocopy_crate::util::macro_util::core_reexport::marker::Sized,
900                    {
901                    }
902
903                    assert_is_from_bytes::<Self>();
904                }
905
906                // SAFETY: The preceding code only compiles if `Self:
907                // FromBytes`. Thus, this code only compiles if all initialized
908                // byte sequences represent valid instances of `Self`.
909                true
910            }
911        ))
912    } else {
913        None
914    }
915}
916
917/// Generates a `TryFromBytes::is_bit_valid` instance that unconditionally
918/// returns true.
919///
920/// This should be used where possible, (although `try_gen_trivial_is_bit_valid`
921/// should be preferred over this for safety reasons). Using this impl is faster
922/// to codegen, faster to compile, and is friendlier on the optimizer.
923///
924/// # Safety
925///
926/// The caller must ensure that all initialized bit patterns are valid for
927/// `Self`.
928unsafe fn gen_trivial_is_bit_valid_unchecked(zerocopy_crate: &Path) -> proc_macro2::TokenStream {
929    quote!(
930        // SAFETY: The caller of `gen_trivial_is_bit_valid_unchecked` has
931        // promised that all initialized bit patterns are valid for `Self`.
932        fn is_bit_valid<___ZerocopyAliasing>(
933            _candidate: #zerocopy_crate::Maybe<Self, ___ZerocopyAliasing>,
934        ) -> #zerocopy_crate::util::macro_util::core_reexport::primitive::bool
935        where
936            ___ZerocopyAliasing: #zerocopy_crate::pointer::invariant::Reference,
937        {
938            true
939        }
940    )
941}
942
943/// A struct is `FromZeros` if:
944/// - all fields are `FromZeros`
945fn derive_from_zeros_struct(
946    ast: &DeriveInput,
947    strct: &DataStruct,
948    zerocopy_crate: &Path,
949) -> TokenStream {
950    ImplBlockBuilder::new(ast, strct, Trait::FromZeros, FieldBounds::ALL_SELF, zerocopy_crate)
951        .build()
952}
953
954/// Returns `Ok(index)` if variant `index` of the enum has a discriminant of
955/// zero. If `Err(bool)` is returned, the boolean is true if the enum has
956/// unknown discriminants (e.g. discriminants set to const expressions which we
957/// can't evaluate in a proc macro). If the enum has unknown discriminants, then
958/// it might have a zero variant that we just can't detect.
959fn find_zero_variant(enm: &DataEnum) -> Result<usize, bool> {
960    // Discriminants can be anywhere in the range [i128::MIN, u128::MAX] because
961    // the discriminant type may be signed or unsigned. Since we only care about
962    // tracking the discriminant when it's less than or equal to zero, we can
963    // avoid u128 -> i128 conversions and bounds checking by making the "next
964    // discriminant" value implicitly negative.
965    // Technically 64 bits is enough, but 128 is better for future compatibility
966    // with https://github.com/rust-lang/rust/issues/56071
967    let mut next_negative_discriminant = Some(0);
968
969    // Sometimes we encounter explicit discriminants that we can't know the
970    // value of (e.g. a constant expression that requires evaluation). These
971    // could evaluate to zero or a negative number, but we can't assume that
972    // they do (no false positives allowed!). So we treat them like strictly-
973    // positive values that can't result in any zero variants, and track whether
974    // we've encountered any unknown discriminants.
975    let mut has_unknown_discriminants = false;
976
977    for (i, v) in enm.variants.iter().enumerate() {
978        match v.discriminant.as_ref() {
979            // Implicit discriminant
980            None => {
981                match next_negative_discriminant.as_mut() {
982                    Some(0) => return Ok(i),
983                    // n is nonzero so subtraction is always safe
984                    Some(n) => *n -= 1,
985                    None => (),
986                }
987            }
988            // Explicit positive discriminant
989            Some((_, Expr::Lit(ExprLit { lit: Lit::Int(int), .. }))) => {
990                match int.base10_parse::<u128>().ok() {
991                    Some(0) => return Ok(i),
992                    Some(_) => next_negative_discriminant = None,
993                    None => {
994                        // Numbers should never fail to parse, but just in case:
995                        has_unknown_discriminants = true;
996                        next_negative_discriminant = None;
997                    }
998                }
999            }
1000            // Explicit negative discriminant
1001            Some((_, Expr::Unary(ExprUnary { op: UnOp::Neg(_), expr, .. }))) => match &**expr {
1002                Expr::Lit(ExprLit { lit: Lit::Int(int), .. }) => {
1003                    match int.base10_parse::<u128>().ok() {
1004                        Some(0) => return Ok(i),
1005                        // x is nonzero so subtraction is always safe
1006                        Some(x) => next_negative_discriminant = Some(x - 1),
1007                        None => {
1008                            // Numbers should never fail to parse, but just in
1009                            // case:
1010                            has_unknown_discriminants = true;
1011                            next_negative_discriminant = None;
1012                        }
1013                    }
1014                }
1015                // Unknown negative discriminant (e.g. const repr)
1016                _ => {
1017                    has_unknown_discriminants = true;
1018                    next_negative_discriminant = None;
1019                }
1020            },
1021            // Unknown discriminant (e.g. const expr)
1022            _ => {
1023                has_unknown_discriminants = true;
1024                next_negative_discriminant = None;
1025            }
1026        }
1027    }
1028
1029    Err(has_unknown_discriminants)
1030}
1031
1032/// An enum is `FromZeros` if:
1033/// - one of the variants has a discriminant of `0`
1034/// - that variant's fields are all `FromZeros`
1035fn derive_from_zeros_enum(
1036    ast: &DeriveInput,
1037    enm: &DataEnum,
1038    zerocopy_crate: &Path,
1039) -> Result<TokenStream, Error> {
1040    let repr = EnumRepr::from_attrs(&ast.attrs)?;
1041
1042    // We don't actually care what the repr is; we just care that it's one of
1043    // the allowed ones.
1044    match repr {
1045         Repr::Compound(
1046            Spanned { t: CompoundRepr::C | CompoundRepr::Primitive(_), span: _ },
1047            _,
1048        ) => {}
1049        Repr::Transparent(_)
1050        | Repr::Compound(Spanned { t: CompoundRepr::Rust, span: _ }, _) => return Err(Error::new(Span::call_site(), "must have #[repr(C)] or #[repr(Int)] attribute in order to guarantee this type's memory layout")),
1051    }
1052
1053    let zero_variant = match find_zero_variant(enm) {
1054        Ok(index) => enm.variants.iter().nth(index).unwrap(),
1055        // Has unknown variants
1056        Err(true) => {
1057            return Err(Error::new_spanned(
1058                ast,
1059                "FromZeros only supported on enums with a variant that has a discriminant of `0`\n\
1060                help: This enum has discriminants which are not literal integers. One of those may \
1061                define or imply which variant has a discriminant of zero. Use a literal integer to \
1062                define or imply the variant with a discriminant of zero.",
1063            ));
1064        }
1065        // Does not have unknown variants
1066        Err(false) => {
1067            return Err(Error::new_spanned(
1068                ast,
1069                "FromZeros only supported on enums with a variant that has a discriminant of `0`",
1070            ));
1071        }
1072    };
1073
1074    let explicit_bounds = zero_variant
1075        .fields
1076        .iter()
1077        .map(|field| {
1078            let ty = &field.ty;
1079            parse_quote! { #ty: #zerocopy_crate::FromZeros }
1080        })
1081        .collect::<Vec<WherePredicate>>();
1082
1083    Ok(ImplBlockBuilder::new(
1084        ast,
1085        enm,
1086        Trait::FromZeros,
1087        FieldBounds::Explicit(explicit_bounds),
1088        zerocopy_crate,
1089    )
1090    .build())
1091}
1092
1093/// Unions are `FromZeros` if
1094/// - all fields are `FromZeros` and `Immutable`
1095fn derive_from_zeros_union(
1096    ast: &DeriveInput,
1097    unn: &DataUnion,
1098    zerocopy_crate: &Path,
1099) -> TokenStream {
1100    // TODO(#5): Remove the `Immutable` bound. It's only necessary for
1101    // compatibility with `derive(TryFromBytes)` on unions; not for soundness.
1102    let field_type_trait_bounds =
1103        FieldBounds::All(&[TraitBound::Slf, TraitBound::Other(Trait::Immutable)]);
1104    ImplBlockBuilder::new(ast, unn, Trait::FromZeros, field_type_trait_bounds, zerocopy_crate)
1105        .build()
1106}
1107
1108/// A struct is `FromBytes` if:
1109/// - all fields are `FromBytes`
1110fn derive_from_bytes_struct(
1111    ast: &DeriveInput,
1112    strct: &DataStruct,
1113    zerocopy_crate: &Path,
1114) -> TokenStream {
1115    ImplBlockBuilder::new(ast, strct, Trait::FromBytes, FieldBounds::ALL_SELF, zerocopy_crate)
1116        .build()
1117}
1118
1119/// An enum is `FromBytes` if:
1120/// - Every possible bit pattern must be valid, which means that every bit
1121///   pattern must correspond to a different enum variant. Thus, for an enum
1122///   whose layout takes up N bytes, there must be 2^N variants.
1123/// - Since we must know N, only representations which guarantee the layout's
1124///   size are allowed. These are `repr(uN)` and `repr(iN)` (`repr(C)` implies an
1125///   implementation-defined size). `usize` and `isize` technically guarantee the
1126///   layout's size, but would require us to know how large those are on the
1127///   target platform. This isn't terribly difficult - we could emit a const
1128///   expression that could call `core::mem::size_of` in order to determine the
1129///   size and check against the number of enum variants, but a) this would be
1130///   platform-specific and, b) even on Rust's smallest bit width platform (32),
1131///   this would require ~4 billion enum variants, which obviously isn't a thing.
1132/// - All fields of all variants are `FromBytes`.
1133fn derive_from_bytes_enum(
1134    ast: &DeriveInput,
1135    enm: &DataEnum,
1136    zerocopy_crate: &Path,
1137) -> Result<TokenStream, Error> {
1138    let repr = EnumRepr::from_attrs(&ast.attrs)?;
1139
1140    let variants_required = 1usize << enum_size_from_repr(&repr)?;
1141    if enm.variants.len() != variants_required {
1142        return Err(Error::new_spanned(
1143            ast,
1144            format!(
1145                "FromBytes only supported on {} enum with {} variants",
1146                repr.repr_type_name(),
1147                variants_required
1148            ),
1149        ));
1150    }
1151
1152    Ok(ImplBlockBuilder::new(ast, enm, Trait::FromBytes, FieldBounds::ALL_SELF, zerocopy_crate)
1153        .build())
1154}
1155
1156// Returns `None` if the enum's size is not guaranteed by the repr.
1157fn enum_size_from_repr(repr: &EnumRepr) -> Result<usize, Error> {
1158    use {CompoundRepr::*, PrimitiveRepr::*, Repr::*};
1159    match repr {
1160        Transparent(span)
1161        | Compound(
1162            Spanned { t: C | Rust | Primitive(U32 | I32 | U64 | I64 | Usize | Isize), span },
1163            _,
1164        ) => Err(Error::new(*span, "`FromBytes` only supported on enums with `#[repr(...)]` attributes `u8`, `i8`, `u16`, or `i16`")),
1165        Compound(Spanned { t: Primitive(U8 | I8), span: _ }, _align) => Ok(8),
1166        Compound(Spanned { t: Primitive(U16 | I16), span: _ }, _align) => Ok(16),
1167    }
1168}
1169
1170/// Unions are `FromBytes` if
1171/// - all fields are `FromBytes` and `Immutable`
1172fn derive_from_bytes_union(
1173    ast: &DeriveInput,
1174    unn: &DataUnion,
1175    zerocopy_crate: &Path,
1176) -> TokenStream {
1177    // TODO(#5): Remove the `Immutable` bound. It's only necessary for
1178    // compatibility with `derive(TryFromBytes)` on unions; not for soundness.
1179    let field_type_trait_bounds =
1180        FieldBounds::All(&[TraitBound::Slf, TraitBound::Other(Trait::Immutable)]);
1181    ImplBlockBuilder::new(ast, unn, Trait::FromBytes, field_type_trait_bounds, zerocopy_crate)
1182        .build()
1183}
1184
1185fn derive_into_bytes_struct(
1186    ast: &DeriveInput,
1187    strct: &DataStruct,
1188    zerocopy_crate: &Path,
1189) -> Result<TokenStream, Error> {
1190    let repr = StructUnionRepr::from_attrs(&ast.attrs)?;
1191
1192    let is_transparent = repr.is_transparent();
1193    let is_c = repr.is_c();
1194    let is_packed_1 = repr.is_packed_1();
1195    let num_fields = strct.fields().len();
1196
1197    let (padding_check, require_unaligned_fields) = if is_transparent || is_packed_1 {
1198        // No padding check needed.
1199        // - repr(transparent): The layout and ABI of the whole struct is the
1200        //   same as its only non-ZST field (meaning there's no padding outside
1201        //   of that field) and we require that field to be `IntoBytes` (meaning
1202        //   there's no padding in that field).
1203        // - repr(packed): Any inter-field padding bytes are removed, meaning
1204        //   that any padding bytes would need to come from the fields, all of
1205        //   which we require to be `IntoBytes` (meaning they don't have any
1206        //   padding). Note that this holds regardless of other `repr`
1207        //   attributes, including `repr(Rust)`. [1]
1208        //
1209        // [1] Per https://doc.rust-lang.org/1.81.0/reference/type-layout.html#the-alignment-modifiers:
1210        //
1211        //   An important consequence of these rules is that a type with
1212        //   `#[repr(packed(1))]`` (or `#[repr(packed)]``) will have no
1213        //   inter-field padding.
1214        (None, false)
1215    } else if is_c && !repr.is_align_gt_1() && num_fields <= 1 {
1216        // No padding check needed. A repr(C) struct with zero or one field has
1217        // no padding unless #[repr(align)] explicitly adds padding, which we
1218        // check for in this branch's condition.
1219        (None, false)
1220    } else if ast.generics.params.is_empty() {
1221        // Since there are no generics, we can emit a padding check. All reprs
1222        // guarantee that fields won't overlap [1], so the padding check is
1223        // sound. This is more permissive than the next case, which requires
1224        // that all field types implement `Unaligned`.
1225        //
1226        // [1] Per https://doc.rust-lang.org/1.81.0/reference/type-layout.html#the-rust-representation:
1227        //
1228        //   The only data layout guarantees made by [`repr(Rust)`] are those
1229        //   required for soundness. They are:
1230        //   ...
1231        //   2. The fields do not overlap.
1232        //   ...
1233        (Some(PaddingCheck::Struct), false)
1234    } else if is_c && !repr.is_align_gt_1() {
1235        // We can't use a padding check since there are generic type arguments.
1236        // Instead, we require all field types to implement `Unaligned`. This
1237        // ensures that the `repr(C)` layout algorithm will not insert any
1238        // padding unless #[repr(align)] explicitly adds padding, which we check
1239        // for in this branch's condition.
1240        //
1241        // TODO(#10): Support type parameters for non-transparent, non-packed
1242        // structs without requiring `Unaligned`.
1243        (None, true)
1244    } else {
1245        return Err(Error::new(Span::call_site(), "must have a non-align #[repr(...)] attribute in order to guarantee this type's memory layout"));
1246    };
1247
1248    let field_bounds = if require_unaligned_fields {
1249        FieldBounds::All(&[TraitBound::Slf, TraitBound::Other(Trait::Unaligned)])
1250    } else {
1251        FieldBounds::ALL_SELF
1252    };
1253
1254    Ok(ImplBlockBuilder::new(ast, strct, Trait::IntoBytes, field_bounds, zerocopy_crate)
1255        .padding_check(padding_check)
1256        .build())
1257}
1258
1259/// If the type is an enum:
1260/// - It must have a defined representation (`repr`s `C`, `u8`, `u16`, `u32`,
1261///   `u64`, `usize`, `i8`, `i16`, `i32`, `i64`, or `isize`).
1262/// - It must have no padding bytes.
1263/// - Its fields must be `IntoBytes`.
1264fn derive_into_bytes_enum(
1265    ast: &DeriveInput,
1266    enm: &DataEnum,
1267    zerocopy_crate: &Path,
1268) -> Result<TokenStream, Error> {
1269    let repr = EnumRepr::from_attrs(&ast.attrs)?;
1270    if !repr.is_c() && !repr.is_primitive() {
1271        return Err(Error::new(Span::call_site(), "must have #[repr(C)] or #[repr(Int)] attribute in order to guarantee this type's memory layout"));
1272    }
1273
1274    let tag_type_definition = r#enum::generate_tag_enum(&repr, enm);
1275    Ok(ImplBlockBuilder::new(ast, enm, Trait::IntoBytes, FieldBounds::ALL_SELF, zerocopy_crate)
1276        .padding_check(PaddingCheck::Enum { tag_type_definition })
1277        .build())
1278}
1279
1280/// A union is `IntoBytes` if:
1281/// - all fields are `IntoBytes`
1282/// - `repr(C)`, `repr(transparent)`, or `repr(packed)`
1283/// - no padding (size of union equals size of each field type)
1284fn derive_into_bytes_union(
1285    ast: &DeriveInput,
1286    unn: &DataUnion,
1287    zerocopy_crate: &Path,
1288) -> Result<TokenStream, Error> {
1289    // See #1792 for more context.
1290    //
1291    // By checking for `zerocopy_derive_union_into_bytes` both here and in the
1292    // generated code, we ensure that `--cfg zerocopy_derive_union_into_bytes`
1293    // need only be passed *either* when compiling this crate *or* when
1294    // compiling the user's crate. The former is preferable, but in some
1295    // situations (such as when cross-compiling using `cargo build --target`),
1296    // it doesn't get propagated to this crate's build by default.
1297    let cfg_compile_error = if cfg!(zerocopy_derive_union_into_bytes) {
1298        quote!()
1299    } else {
1300        let error_message = "requires --cfg zerocopy_derive_union_into_bytes;
1301please let us know you use this feature: https://github.com/google/zerocopy/discussions/1802";
1302        quote!(
1303            const _: () = {
1304                #[cfg(not(zerocopy_derive_union_into_bytes))]
1305                #zerocopy_crate::util::macro_util::core_reexport::compile_error!(#error_message);
1306            };
1307        )
1308    };
1309
1310    // TODO(#10): Support type parameters.
1311    if !ast.generics.params.is_empty() {
1312        return Err(Error::new(Span::call_site(), "unsupported on types with type parameters"));
1313    }
1314
1315    // Because we don't support generics, we don't need to worry about
1316    // special-casing different reprs. So long as there is *some* repr which
1317    // guarantees the layout, our `PaddingCheck::Union` guarantees that there is
1318    // no padding.
1319    let repr = StructUnionRepr::from_attrs(&ast.attrs)?;
1320    if !repr.is_c() && !repr.is_transparent() && !repr.is_packed_1() {
1321        return Err(Error::new(
1322            Span::call_site(),
1323            "must be #[repr(C)], #[repr(packed)], or #[repr(transparent)]",
1324        ));
1325    }
1326
1327    let impl_block =
1328        ImplBlockBuilder::new(ast, unn, Trait::IntoBytes, FieldBounds::ALL_SELF, zerocopy_crate)
1329            .padding_check(PaddingCheck::Union)
1330            .build();
1331    Ok(quote!(#cfg_compile_error #impl_block))
1332}
1333
1334/// A struct is `Unaligned` if:
1335/// - `repr(align)` is no more than 1 and either
1336///   - `repr(C)` or `repr(transparent)` and
1337///     - all fields `Unaligned`
1338///   - `repr(packed)`
1339fn derive_unaligned_struct(
1340    ast: &DeriveInput,
1341    strct: &DataStruct,
1342    zerocopy_crate: &Path,
1343) -> Result<TokenStream, Error> {
1344    let repr = StructUnionRepr::from_attrs(&ast.attrs)?;
1345    repr.unaligned_validate_no_align_gt_1()?;
1346
1347    let field_bounds = if repr.is_packed_1() {
1348        FieldBounds::None
1349    } else if repr.is_c() || repr.is_transparent() {
1350        FieldBounds::ALL_SELF
1351    } else {
1352        return Err(Error::new(Span::call_site(), "must have #[repr(C)], #[repr(transparent)], or #[repr(packed)] attribute in order to guarantee this type's alignment"));
1353    };
1354
1355    Ok(ImplBlockBuilder::new(ast, strct, Trait::Unaligned, field_bounds, zerocopy_crate).build())
1356}
1357
1358/// An enum is `Unaligned` if:
1359/// - No `repr(align(N > 1))`
1360/// - `repr(u8)` or `repr(i8)`
1361fn derive_unaligned_enum(
1362    ast: &DeriveInput,
1363    enm: &DataEnum,
1364    zerocopy_crate: &Path,
1365) -> Result<TokenStream, Error> {
1366    let repr = EnumRepr::from_attrs(&ast.attrs)?;
1367    repr.unaligned_validate_no_align_gt_1()?;
1368
1369    if !repr.is_u8() && !repr.is_i8() {
1370        return Err(Error::new(Span::call_site(), "must have #[repr(u8)] or #[repr(i8)] attribute in order to guarantee this type's alignment"));
1371    }
1372
1373    Ok(ImplBlockBuilder::new(ast, enm, Trait::Unaligned, FieldBounds::ALL_SELF, zerocopy_crate)
1374        .build())
1375}
1376
1377/// Like structs, a union is `Unaligned` if:
1378/// - `repr(align)` is no more than 1 and either
1379///   - `repr(C)` or `repr(transparent)` and
1380///     - all fields `Unaligned`
1381///   - `repr(packed)`
1382fn derive_unaligned_union(
1383    ast: &DeriveInput,
1384    unn: &DataUnion,
1385    zerocopy_crate: &Path,
1386) -> Result<TokenStream, Error> {
1387    let repr = StructUnionRepr::from_attrs(&ast.attrs)?;
1388    repr.unaligned_validate_no_align_gt_1()?;
1389
1390    let field_type_trait_bounds = if repr.is_packed_1() {
1391        FieldBounds::None
1392    } else if repr.is_c() || repr.is_transparent() {
1393        FieldBounds::ALL_SELF
1394    } else {
1395        return Err(Error::new(Span::call_site(), "must have #[repr(C)], #[repr(transparent)], or #[repr(packed)] attribute in order to guarantee this type's alignment"));
1396    };
1397
1398    Ok(ImplBlockBuilder::new(ast, unn, Trait::Unaligned, field_type_trait_bounds, zerocopy_crate)
1399        .build())
1400}
1401
1402/// This enum describes what kind of padding check needs to be generated for the
1403/// associated impl.
1404enum PaddingCheck {
1405    /// Check that the sum of the fields' sizes exactly equals the struct's
1406    /// size.
1407    Struct,
1408    /// Check that the size of each field exactly equals the union's size.
1409    Union,
1410    /// Check that every variant of the enum contains no padding.
1411    ///
1412    /// Because doing so requires a tag enum, this padding check requires an
1413    /// additional `TokenStream` which defines the tag enum as `___ZerocopyTag`.
1414    Enum { tag_type_definition: TokenStream },
1415}
1416
1417impl PaddingCheck {
1418    /// Returns the ident of the macro to call in order to validate that a type
1419    /// passes the padding check encoded by `PaddingCheck`.
1420    fn validator_macro_ident(&self) -> Ident {
1421        let s = match self {
1422            PaddingCheck::Struct => "struct_has_padding",
1423            PaddingCheck::Union => "union_has_padding",
1424            PaddingCheck::Enum { .. } => "enum_has_padding",
1425        };
1426
1427        Ident::new(s, Span::call_site())
1428    }
1429
1430    /// Sometimes performing the padding check requires some additional
1431    /// "context" code. For enums, this is the definition of the tag enum.
1432    fn validator_macro_context(&self) -> Option<&TokenStream> {
1433        match self {
1434            PaddingCheck::Struct | PaddingCheck::Union => None,
1435            PaddingCheck::Enum { tag_type_definition } => Some(tag_type_definition),
1436        }
1437    }
1438}
1439
1440#[derive(Copy, Clone, Debug, Eq, PartialEq)]
1441enum Trait {
1442    KnownLayout,
1443    Immutable,
1444    TryFromBytes,
1445    FromZeros,
1446    FromBytes,
1447    IntoBytes,
1448    Unaligned,
1449    Sized,
1450    ByteHash,
1451    ByteEq,
1452}
1453
1454impl ToTokens for Trait {
1455    fn to_tokens(&self, tokens: &mut TokenStream) {
1456        // According to [1], the format of the derived `Debug`` output is not
1457        // stable and therefore not guaranteed to represent the variant names.
1458        // Indeed with the (unstable) `fmt-debug` compiler flag [2], it can
1459        // return only a minimalized output or empty string. To make sure this
1460        // code will work in the future and independet of the compiler flag, we
1461        // translate the variants to their names manually here.
1462        //
1463        // [1] https://doc.rust-lang.org/1.81.0/std/fmt/trait.Debug.html#stability
1464        // [2] https://doc.rust-lang.org/beta/unstable-book/compiler-flags/fmt-debug.html
1465        let s = match self {
1466            Trait::KnownLayout => "KnownLayout",
1467            Trait::Immutable => "Immutable",
1468            Trait::TryFromBytes => "TryFromBytes",
1469            Trait::FromZeros => "FromZeros",
1470            Trait::FromBytes => "FromBytes",
1471            Trait::IntoBytes => "IntoBytes",
1472            Trait::Unaligned => "Unaligned",
1473            Trait::Sized => "Sized",
1474            Trait::ByteHash => "ByteHash",
1475            Trait::ByteEq => "ByteEq",
1476        };
1477        let ident = Ident::new(s, Span::call_site());
1478        tokens.extend(core::iter::once(TokenTree::Ident(ident)));
1479    }
1480}
1481
1482impl Trait {
1483    fn crate_path(&self, zerocopy_crate: &Path) -> Path {
1484        match self {
1485            Self::Sized => {
1486                parse_quote!(#zerocopy_crate::util::macro_util::core_reexport::marker::#self)
1487            }
1488            _ => parse_quote!(#zerocopy_crate::#self),
1489        }
1490    }
1491}
1492
1493#[derive(Debug, Eq, PartialEq)]
1494enum TraitBound {
1495    Slf,
1496    Other(Trait),
1497}
1498
1499enum FieldBounds<'a> {
1500    None,
1501    All(&'a [TraitBound]),
1502    Trailing(&'a [TraitBound]),
1503    Explicit(Vec<WherePredicate>),
1504}
1505
1506impl<'a> FieldBounds<'a> {
1507    const ALL_SELF: FieldBounds<'a> = FieldBounds::All(&[TraitBound::Slf]);
1508    const TRAILING_SELF: FieldBounds<'a> = FieldBounds::Trailing(&[TraitBound::Slf]);
1509}
1510
1511#[derive(Debug, Eq, PartialEq)]
1512enum SelfBounds<'a> {
1513    None,
1514    All(&'a [Trait]),
1515}
1516
1517// TODO(https://github.com/rust-lang/rust-clippy/issues/12908): This is a false positive.
1518// Explicit lifetimes are actually necessary here.
1519#[allow(clippy::needless_lifetimes)]
1520impl<'a> SelfBounds<'a> {
1521    const SIZED: Self = Self::All(&[Trait::Sized]);
1522}
1523
1524/// Normalizes a slice of bounds by replacing [`TraitBound::Slf`] with `slf`.
1525fn normalize_bounds(slf: Trait, bounds: &[TraitBound]) -> impl '_ + Iterator<Item = Trait> {
1526    bounds.iter().map(move |bound| match bound {
1527        TraitBound::Slf => slf,
1528        TraitBound::Other(trt) => *trt,
1529    })
1530}
1531
1532struct ImplBlockBuilder<'a, D: DataExt> {
1533    input: &'a DeriveInput,
1534    data: &'a D,
1535    trt: Trait,
1536    field_type_trait_bounds: FieldBounds<'a>,
1537    zerocopy_crate: &'a Path,
1538    self_type_trait_bounds: SelfBounds<'a>,
1539    padding_check: Option<PaddingCheck>,
1540    inner_extras: Option<TokenStream>,
1541    outer_extras: Option<TokenStream>,
1542}
1543
1544impl<'a, D: DataExt> ImplBlockBuilder<'a, D> {
1545    fn new(
1546        input: &'a DeriveInput,
1547        data: &'a D,
1548        trt: Trait,
1549        field_type_trait_bounds: FieldBounds<'a>,
1550        zerocopy_crate: &'a Path,
1551    ) -> Self {
1552        Self {
1553            input,
1554            data,
1555            trt,
1556            field_type_trait_bounds,
1557            zerocopy_crate,
1558            self_type_trait_bounds: SelfBounds::None,
1559            padding_check: None,
1560            inner_extras: None,
1561            outer_extras: None,
1562        }
1563    }
1564
1565    fn self_type_trait_bounds(mut self, self_type_trait_bounds: SelfBounds<'a>) -> Self {
1566        self.self_type_trait_bounds = self_type_trait_bounds;
1567        self
1568    }
1569
1570    fn padding_check<P: Into<Option<PaddingCheck>>>(mut self, padding_check: P) -> Self {
1571        self.padding_check = padding_check.into();
1572        self
1573    }
1574
1575    fn inner_extras(mut self, inner_extras: TokenStream) -> Self {
1576        self.inner_extras = Some(inner_extras);
1577        self
1578    }
1579
1580    fn outer_extras<T: Into<Option<TokenStream>>>(mut self, outer_extras: T) -> Self {
1581        self.outer_extras = outer_extras.into();
1582        self
1583    }
1584
1585    fn build(self) -> TokenStream {
1586        // In this documentation, we will refer to this hypothetical struct:
1587        //
1588        //   #[derive(FromBytes)]
1589        //   struct Foo<T, I: Iterator>
1590        //   where
1591        //       T: Copy,
1592        //       I: Clone,
1593        //       I::Item: Clone,
1594        //   {
1595        //       a: u8,
1596        //       b: T,
1597        //       c: I::Item,
1598        //   }
1599        //
1600        // We extract the field types, which in this case are `u8`, `T`, and
1601        // `I::Item`. We re-use the existing parameters and where clauses. If
1602        // `require_trait_bound == true` (as it is for `FromBytes), we add where
1603        // bounds for each field's type:
1604        //
1605        //   impl<T, I: Iterator> FromBytes for Foo<T, I>
1606        //   where
1607        //       T: Copy,
1608        //       I: Clone,
1609        //       I::Item: Clone,
1610        //       T: FromBytes,
1611        //       I::Item: FromBytes,
1612        //   {
1613        //   }
1614        //
1615        // NOTE: It is standard practice to only emit bounds for the type
1616        // parameters themselves, not for field types based on those parameters
1617        // (e.g., `T` vs `T::Foo`). For a discussion of why this is standard
1618        // practice, see https://github.com/rust-lang/rust/issues/26925.
1619        //
1620        // The reason we diverge from this standard is that doing it that way
1621        // for us would be unsound. E.g., consider a type, `T` where `T:
1622        // FromBytes` but `T::Foo: !FromBytes`. It would not be sound for us to
1623        // accept a type with a `T::Foo` field as `FromBytes` simply because `T:
1624        // FromBytes`.
1625        //
1626        // While there's no getting around this requirement for us, it does have
1627        // the pretty serious downside that, when lifetimes are involved, the
1628        // trait solver ties itself in knots:
1629        //
1630        //     #[derive(Unaligned)]
1631        //     #[repr(C)]
1632        //     struct Dup<'a, 'b> {
1633        //         a: PhantomData<&'a u8>,
1634        //         b: PhantomData<&'b u8>,
1635        //     }
1636        //
1637        //     error[E0283]: type annotations required: cannot resolve `core::marker::PhantomData<&'a u8>: zerocopy::Unaligned`
1638        //      --> src/main.rs:6:10
1639        //       |
1640        //     6 | #[derive(Unaligned)]
1641        //       |          ^^^^^^^^^
1642        //       |
1643        //       = note: required by `zerocopy::Unaligned`
1644
1645        let type_ident = &self.input.ident;
1646        let trait_path = self.trt.crate_path(self.zerocopy_crate);
1647        let fields = self.data.fields();
1648        let variants = self.data.variants();
1649        let tag = self.data.tag();
1650        let zerocopy_crate = self.zerocopy_crate;
1651
1652        fn bound_tt(
1653            ty: &Type,
1654            traits: impl Iterator<Item = Trait>,
1655            zerocopy_crate: &Path,
1656        ) -> WherePredicate {
1657            let traits = traits.map(|t| t.crate_path(zerocopy_crate));
1658            parse_quote!(#ty: #(#traits)+*)
1659        }
1660        let field_type_bounds: Vec<_> = match (self.field_type_trait_bounds, &fields[..]) {
1661            (FieldBounds::All(traits), _) => fields
1662                .iter()
1663                .map(|(_vis, _name, ty)| {
1664                    bound_tt(ty, normalize_bounds(self.trt, traits), zerocopy_crate)
1665                })
1666                .collect(),
1667            (FieldBounds::None, _) | (FieldBounds::Trailing(..), []) => vec![],
1668            (FieldBounds::Trailing(traits), [.., last]) => {
1669                vec![bound_tt(last.2, normalize_bounds(self.trt, traits), zerocopy_crate)]
1670            }
1671            (FieldBounds::Explicit(bounds), _) => bounds,
1672        };
1673
1674        // Don't bother emitting a padding check if there are no fields.
1675        #[allow(unstable_name_collisions)] // See `BoolExt` below
1676        // Work around https://github.com/rust-lang/rust-clippy/issues/12280
1677        #[allow(clippy::incompatible_msrv)]
1678        let padding_check_bound = self
1679            .padding_check
1680            .and_then(|check| (!fields.is_empty()).then_some(check))
1681            .map(|check| {
1682                let variant_types = variants.iter().map(|var| {
1683                    let types = var.iter().map(|(_vis, _name, ty)| ty);
1684                    quote!([#(#types),*])
1685                });
1686                let validator_context = check.validator_macro_context();
1687                let validator_macro = check.validator_macro_ident();
1688                let t = tag.iter();
1689                parse_quote! {
1690                    (): #zerocopy_crate::util::macro_util::PaddingFree<
1691                        Self,
1692                        {
1693                            #validator_context
1694                            #zerocopy_crate::#validator_macro!(Self, #(#t,)* #(#variant_types),*)
1695                        }
1696                    >
1697                }
1698            });
1699
1700        let self_bounds: Option<WherePredicate> = match self.self_type_trait_bounds {
1701            SelfBounds::None => None,
1702            SelfBounds::All(traits) => {
1703                Some(bound_tt(&parse_quote!(Self), traits.iter().copied(), zerocopy_crate))
1704            }
1705        };
1706
1707        let bounds = self
1708            .input
1709            .generics
1710            .where_clause
1711            .as_ref()
1712            .map(|where_clause| where_clause.predicates.iter())
1713            .into_iter()
1714            .flatten()
1715            .chain(field_type_bounds.iter())
1716            .chain(padding_check_bound.iter())
1717            .chain(self_bounds.iter());
1718
1719        // The parameters with trait bounds, but without type defaults.
1720        let params = self.input.generics.params.clone().into_iter().map(|mut param| {
1721            match &mut param {
1722                GenericParam::Type(ty) => ty.default = None,
1723                GenericParam::Const(cnst) => cnst.default = None,
1724                GenericParam::Lifetime(_) => {}
1725            }
1726            quote!(#param)
1727        });
1728
1729        // The identifiers of the parameters without trait bounds or type
1730        // defaults.
1731        let param_idents = self.input.generics.params.iter().map(|param| match param {
1732            GenericParam::Type(ty) => {
1733                let ident = &ty.ident;
1734                quote!(#ident)
1735            }
1736            GenericParam::Lifetime(l) => {
1737                let ident = &l.lifetime;
1738                quote!(#ident)
1739            }
1740            GenericParam::Const(cnst) => {
1741                let ident = &cnst.ident;
1742                quote!({#ident})
1743            }
1744        });
1745
1746        let inner_extras = self.inner_extras;
1747        let impl_tokens = quote! {
1748            // TODO(#553): Add a test that generates a warning when
1749            // `#[allow(deprecated)]` isn't present.
1750            #[allow(deprecated)]
1751            // While there are not currently any warnings that this suppresses
1752            // (that we're aware of), it's good future-proofing hygiene.
1753            #[automatically_derived]
1754            unsafe impl < #(#params),* > #trait_path for #type_ident < #(#param_idents),* >
1755            where
1756                #(#bounds,)*
1757            {
1758                fn only_derive_is_allowed_to_implement_this_trait() {}
1759
1760                #inner_extras
1761            }
1762        };
1763
1764        if let Some(outer_extras) = self.outer_extras {
1765            // So that any items defined in `#outer_extras` don't conflict with
1766            // existing names defined in this scope.
1767            quote! {
1768                const _: () = {
1769                    #impl_tokens
1770
1771                    #outer_extras
1772                };
1773            }
1774        } else {
1775            impl_tokens
1776        }
1777    }
1778}
1779
1780// A polyfill for `Option::then_some`, which was added after our MSRV.
1781//
1782// The `#[allow(unused)]` is necessary because, on sufficiently recent toolchain
1783// versions, `b.then_some(...)` resolves to the inherent method rather than to
1784// this trait, and so this trait is considered unused.
1785//
1786// TODO(#67): Remove this once our MSRV is >= 1.62.
1787#[allow(unused)]
1788trait BoolExt {
1789    fn then_some<T>(self, t: T) -> Option<T>;
1790}
1791
1792impl BoolExt for bool {
1793    fn then_some<T>(self, t: T) -> Option<T> {
1794        if self {
1795            Some(t)
1796        } else {
1797            None
1798        }
1799    }
1800}