derive_more_impl/as/mod.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312
//! Implementations of [`AsRef`]/[`AsMut`] derive macros.
pub(crate) mod r#mut;
pub(crate) mod r#ref;
use std::{borrow::Cow, iter};
use proc_macro2::TokenStream;
use quote::{quote, ToTokens};
use syn::{parse_quote, spanned::Spanned, Token};
use crate::utils::{
attr::{self, ParseMultiple as _},
Either, GenericsSearch, Spanning,
};
/// Expands an [`AsRef`]/[`AsMut`] derive macro.
pub fn expand(
input: &syn::DeriveInput,
trait_info: ExpansionCtx<'_>,
) -> syn::Result<TokenStream> {
let (trait_ident, attr_name, _) = trait_info;
let data = match &input.data {
syn::Data::Struct(data) => Ok(data),
syn::Data::Enum(e) => Err(syn::Error::new(
e.enum_token.span(),
format!("`{trait_ident}` cannot be derived for enums"),
)),
syn::Data::Union(u) => Err(syn::Error::new(
u.union_token.span(),
format!("`{trait_ident}` cannot be derived for unions"),
)),
}?;
let expansions = if let Some(attr) =
StructAttribute::parse_attrs(&input.attrs, attr_name)?
{
if data.fields.len() != 1 {
return Err(syn::Error::new(
if data.fields.is_empty() {
data.struct_token.span
} else {
data.fields.span()
},
format!(
"`#[{attr_name}(...)]` attribute can only be placed on structs with exactly \
one field",
),
));
}
let field = data.fields.iter().next().unwrap();
if FieldAttribute::parse_attrs(&field.attrs, attr_name)?.is_some() {
return Err(syn::Error::new(
field.span(),
format!("`#[{attr_name}(...)]` cannot be placed on both struct and its field"),
));
}
vec![Expansion {
trait_info,
ident: &input.ident,
generics: &input.generics,
field,
field_index: 0,
conversions: Some(attr.into_inner()),
}]
} else {
let attrs = data
.fields
.iter()
.map(|field| FieldAttribute::parse_attrs(&field.attrs, attr_name))
.collect::<syn::Result<Vec<_>>>()?;
let present_attrs = attrs.iter().filter_map(Option::as_ref).collect::<Vec<_>>();
let all = present_attrs
.iter()
.all(|attr| matches!(attr.item, FieldAttribute::Skip(_)));
if !all {
if let Some(skip_attr) = present_attrs.iter().find_map(|attr| {
if let FieldAttribute::Skip(skip) = &attr.item {
Some(attr.as_ref().map(|_| skip))
} else {
None
}
}) {
return Err(syn::Error::new(
skip_attr.span(),
format!(
"`#[{attr_name}({})]` cannot be used in the same struct with other \
`#[{attr_name}(...)]` attributes",
skip_attr.name(),
),
));
}
}
if all {
data.fields
.iter()
.enumerate()
.zip(attrs)
.filter_map(|((i, field), attr)| {
attr.is_none().then_some(Expansion {
trait_info,
ident: &input.ident,
generics: &input.generics,
field,
field_index: i,
conversions: None,
})
})
.collect()
} else {
data.fields
.iter()
.enumerate()
.zip(attrs)
.filter_map(|((i, field), attr)| match attr.map(Spanning::into_inner) {
Some(
attr @ (FieldAttribute::Empty(_)
| FieldAttribute::Forward(_)
| FieldAttribute::Types(_)),
) => Some(Expansion {
trait_info,
ident: &input.ident,
generics: &input.generics,
field,
field_index: i,
conversions: attr.into(),
}),
Some(FieldAttribute::Skip(_)) => unreachable!(),
None => None,
})
.collect()
}
};
Ok(expansions
.into_iter()
.map(ToTokens::into_token_stream)
.collect())
}
/// Type alias for an expansion context:
/// - [`syn::Ident`] of the derived trait.
/// - [`syn::Ident`] of the derived trait method.
/// - Optional `mut` token indicating [`AsMut`] expansion.
///
/// [`syn::Ident`]: struct@syn::Ident
type ExpansionCtx<'a> = (&'a syn::Ident, &'a syn::Ident, Option<&'a Token![mut]>);
/// Expansion of a macro for generating [`AsRef`]/[`AsMut`] implementations for a single field of a
/// struct.
struct Expansion<'a> {
/// [`ExpansionCtx`] of the derived trait.
trait_info: ExpansionCtx<'a>,
/// [`syn::Ident`] of the struct.
///
/// [`syn::Ident`]: struct@syn::Ident
ident: &'a syn::Ident,
/// [`syn::Generics`] of the struct.
generics: &'a syn::Generics,
/// [`syn::Field`] of the struct.
field: &'a syn::Field,
/// Index of the [`syn::Field`].
field_index: usize,
/// Attribute specifying which conversions should be generated.
conversions: Option<attr::Conversion>,
}
impl<'a> ToTokens for Expansion<'a> {
fn to_tokens(&self, tokens: &mut TokenStream) {
let field_ty = &self.field.ty;
let field_ident = self.field.ident.as_ref().map_or_else(
|| Either::Right(syn::Index::from(self.field_index)),
Either::Left,
);
let (trait_ident, method_ident, mut_) = &self.trait_info;
let ty_ident = &self.ident;
let field_ref = quote! { & #mut_ self.#field_ident };
let generics_search = GenericsSearch {
types: self.generics.type_params().map(|p| &p.ident).collect(),
lifetimes: self
.generics
.lifetimes()
.map(|p| &p.lifetime.ident)
.collect(),
consts: self.generics.const_params().map(|p| &p.ident).collect(),
};
let field_contains_generics = generics_search.any_in(field_ty);
let is_blanket =
matches!(&self.conversions, Some(attr::Conversion::Forward(_)));
let return_tys = match &self.conversions {
Some(attr::Conversion::Forward(_)) => {
Either::Left(iter::once(Cow::Owned(parse_quote! { __AsT })))
}
Some(attr::Conversion::Types(tys)) => {
Either::Right(tys.0.iter().map(Cow::Borrowed))
}
None => Either::Left(iter::once(Cow::Borrowed(field_ty))),
};
for return_ty in return_tys {
/// Kind of a generated implementation, chosen based on attribute arguments.
enum ImplKind {
/// Returns a reference to a field.
Direct,
/// Forwards `as_ref`/`as_mut` call on a field.
Forwarded,
/// Uses autoref-based specialization to determine whether to use direct or
/// forwarded implementation, based on whether the field and the return type match.
///
/// Doesn't work when generics are involved.
Specialized,
}
let impl_kind = if is_blanket {
ImplKind::Forwarded
} else if field_ty == return_ty.as_ref() {
ImplKind::Direct
} else if field_contains_generics || generics_search.any_in(&return_ty) {
ImplKind::Forwarded
} else {
ImplKind::Specialized
};
let trait_ty = quote! {
derive_more::#trait_ident <#return_ty>
};
let generics = match &impl_kind {
ImplKind::Forwarded => {
let mut generics = self.generics.clone();
generics
.make_where_clause()
.predicates
.push(parse_quote! { #field_ty: #trait_ty });
if is_blanket {
generics
.params
.push(parse_quote! { #return_ty: ?derive_more::core::marker::Sized });
}
Cow::Owned(generics)
}
ImplKind::Direct | ImplKind::Specialized => {
Cow::Borrowed(self.generics)
}
};
let (impl_gens, _, where_clause) = generics.split_for_impl();
let (_, ty_gens, _) = self.generics.split_for_impl();
let body = match &impl_kind {
ImplKind::Direct => Cow::Borrowed(&field_ref),
ImplKind::Forwarded => Cow::Owned(quote! {
<#field_ty as #trait_ty>::#method_ident(#field_ref)
}),
ImplKind::Specialized => Cow::Owned(quote! {
use derive_more::__private::ExtractRef as _;
let conv =
<derive_more::__private::Conv<& #mut_ #field_ty, #return_ty>
as derive_more::core::default::Default>::default();
(&&conv).__extract_ref(#field_ref)
}),
};
quote! {
#[automatically_derived]
impl #impl_gens #trait_ty for #ty_ident #ty_gens #where_clause {
#[inline]
fn #method_ident(& #mut_ self) -> & #mut_ #return_ty {
#body
}
}
}
.to_tokens(tokens);
}
}
}
/// Representation of an [`AsRef`]/[`AsMut`] derive macro struct container attribute.
///
/// ```rust,ignore
/// #[as_ref(forward)]
/// #[as_ref(<types>)]
/// ```
type StructAttribute = attr::Conversion;
/// Representation of an [`AsRef`]/[`AsMut`] derive macro field attribute.
///
/// ```rust,ignore
/// #[as_ref]
/// #[as_ref(skip)] #[as_ref(ignore)]
/// #[as_ref(forward)]
/// #[as_ref(<types>)]
/// ```
type FieldAttribute = attr::FieldConversion;