1#![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
51macro_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
107fn 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(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(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 #[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 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 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 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 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 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 #repr
368 #[doc(hidden)]
369 #[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 #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 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 (
424 SelfBounds::SIZED,
425 quote!(
426 type PointerMetadata = ();
427 type MaybeUninit =
428 #zerocopy_crate::util::macro_util::core_reexport::mem::MaybeUninit<Self>;
429
430 const LAYOUT: #zerocopy_crate::DstLayout = #zerocopy_crate::DstLayout::for_type::<Self>();
434
435 #[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 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 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 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 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 #[allow(deprecated)]
607 #[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 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 #[allow(deprecated)]
655 #[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 #[allow(deprecated)]
674 #[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
686fn 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 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 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 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
754fn derive_try_from_bytes_union(
757 ast: &DeriveInput,
758 unn: &DataUnion,
759 top_level: Trait,
760 zerocopy_crate: &Path,
761) -> TokenStream {
762 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 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 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 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 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 (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
852fn try_gen_trivial_is_bit_valid(
874 ast: &DeriveInput,
875 top_level: Trait,
876 zerocopy_crate: &Path,
877) -> Option<proc_macro2::TokenStream> {
878 if top_level == Trait::FromBytes && ast.generics.params.is_empty() {
887 Some(quote!(
888 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 true
910 }
911 ))
912 } else {
913 None
914 }
915}
916
917unsafe fn gen_trivial_is_bit_valid_unchecked(zerocopy_crate: &Path) -> proc_macro2::TokenStream {
929 quote!(
930 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
943fn 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
954fn find_zero_variant(enm: &DataEnum) -> Result<usize, bool> {
960 let mut next_negative_discriminant = Some(0);
968
969 let mut has_unknown_discriminants = false;
976
977 for (i, v) in enm.variants.iter().enumerate() {
978 match v.discriminant.as_ref() {
979 None => {
981 match next_negative_discriminant.as_mut() {
982 Some(0) => return Ok(i),
983 Some(n) => *n -= 1,
985 None => (),
986 }
987 }
988 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 has_unknown_discriminants = true;
996 next_negative_discriminant = None;
997 }
998 }
999 }
1000 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 Some(x) => next_negative_discriminant = Some(x - 1),
1007 None => {
1008 has_unknown_discriminants = true;
1011 next_negative_discriminant = None;
1012 }
1013 }
1014 }
1015 _ => {
1017 has_unknown_discriminants = true;
1018 next_negative_discriminant = None;
1019 }
1020 },
1021 _ => {
1023 has_unknown_discriminants = true;
1024 next_negative_discriminant = None;
1025 }
1026 }
1027 }
1028
1029 Err(has_unknown_discriminants)
1030}
1031
1032fn 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 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 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 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
1093fn derive_from_zeros_union(
1096 ast: &DeriveInput,
1097 unn: &DataUnion,
1098 zerocopy_crate: &Path,
1099) -> TokenStream {
1100 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
1108fn 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
1119fn 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
1156fn 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
1170fn derive_from_bytes_union(
1173 ast: &DeriveInput,
1174 unn: &DataUnion,
1175 zerocopy_crate: &Path,
1176) -> TokenStream {
1177 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 (None, false)
1215 } else if is_c && !repr.is_align_gt_1() && num_fields <= 1 {
1216 (None, false)
1220 } else if ast.generics.params.is_empty() {
1221 (Some(PaddingCheck::Struct), false)
1234 } else if is_c && !repr.is_align_gt_1() {
1235 (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
1259fn 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
1280fn derive_into_bytes_union(
1285 ast: &DeriveInput,
1286 unn: &DataUnion,
1287 zerocopy_crate: &Path,
1288) -> Result<TokenStream, Error> {
1289 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 if !ast.generics.params.is_empty() {
1312 return Err(Error::new(Span::call_site(), "unsupported on types with type parameters"));
1313 }
1314
1315 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
1334fn 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
1358fn 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
1377fn 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
1402enum PaddingCheck {
1405 Struct,
1408 Union,
1410 Enum { tag_type_definition: TokenStream },
1415}
1416
1417impl PaddingCheck {
1418 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 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 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#[allow(clippy::needless_lifetimes)]
1520impl<'a> SelfBounds<'a> {
1521 const SIZED: Self = Self::All(&[Trait::Sized]);
1522}
1523
1524fn 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 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 #[allow(unstable_name_collisions)] #[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 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 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 #[allow(deprecated)]
1751 #[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 quote! {
1768 const _: () = {
1769 #impl_tokens
1770
1771 #outer_extras
1772 };
1773 }
1774 } else {
1775 impl_tokens
1776 }
1777 }
1778}
1779
1780#[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}