1use std::borrow::Cow;
23use proc_macro2::TokenStream;
4use quote::{quote, quote_spanned, ToTokens, TokenStreamExt};
5use syn::{spanned::Spanned, Ident, Type};
67use crate::codegen::{DefaultExpression, PostfixTransform};
8use crate::usage::{self, IdentRefSet, IdentSet, UsesTypeParams};
910/// Properties needed to generate code for a field in all the contexts
11/// where one may appear.
12#[derive(Debug, Clone)]
13pub struct Field<'a> {
14/// The name presented to the user of the library. This will appear
15 /// in error messages and will be looked when parsing names.
16pub name_in_attr: Cow<'a, String>,
1718/// The name presented to the author of the library. This will appear
19 /// in the setters or temporary variables which contain the values.
20pub ident: &'a Ident,
2122/// The type of the field in the input.
23pub ty: &'a Type,
24pub default_expression: Option<DefaultExpression<'a>>,
25/// An expression that will be wrapped in a call to [`core::convert::identity`] and
26 /// then used for converting a provided value into the field value _before_ postfix
27 /// transforms are called.
28pub with_callable: Cow<'a, syn::Expr>,
29pub post_transform: Option<&'a PostfixTransform>,
30pub skip: bool,
31pub multiple: bool,
32/// If set, this field will be given all unclaimed meta items and will
33 /// not be exposed as a standard named field.
34pub flatten: bool,
35}
3637impl<'a> Field<'a> {
38/// Get the name of the meta item that should be matched against input and should be used in diagnostics.
39 ///
40 /// This will be `None` if the field is `skip` or `flatten`, as neither kind of field is addressable
41 /// by name from the input meta.
42pub fn as_name(&'a self) -> Option<&'a str> {
43if self.skip || self.flatten {
44None
45} else {
46Some(&self.name_in_attr)
47 }
48 }
4950pub fn as_declaration(&'a self) -> Declaration<'a> {
51 Declaration(self)
52 }
5354pub fn as_flatten_initializer(
55&'a self,
56 parent_field_names: Vec<&'a str>,
57 ) -> FlattenInitializer<'a> {
58 FlattenInitializer {
59 field: self,
60 parent_field_names,
61 }
62 }
6364pub fn as_match(&'a self) -> MatchArm<'a> {
65 MatchArm(self)
66 }
6768pub fn as_initializer(&'a self) -> Initializer<'a> {
69 Initializer(self)
70 }
7172pub fn as_presence_check(&'a self) -> CheckMissing<'a> {
73 CheckMissing(self)
74 }
75}
7677impl UsesTypeParams for Field<'_> {
78fn uses_type_params<'b>(
79&self,
80 options: &usage::Options,
81 type_set: &'b IdentSet,
82 ) -> IdentRefSet<'b> {
83self.ty.uses_type_params(options, type_set)
84 }
85}
8687/// An individual field during variable declaration in the generated parsing method.
88pub struct Declaration<'a>(&'a Field<'a>);
8990impl ToTokens for Declaration<'_> {
91fn to_tokens(&self, tokens: &mut TokenStream) {
92let field = self.0;
93let ident = field.ident;
94let ty = field.ty;
9596 tokens.append_all(if field.multiple {
97// This is NOT mutable, as it will be declared mutable only temporarily.
98quote!(let mut #ident: #ty = ::darling::export::Default::default();)
99 } else {
100quote!(let mut #ident: (bool, ::darling::export::Option<#ty>) = (false, None);)
101 });
102103// The flatten field additionally needs a place to buffer meta items
104 // until attribute walking is done, so declare that now.
105 //
106 // We expect there can only be one field marked `flatten`, so it shouldn't
107 // be possible for this to shadow another declaration.
108if field.flatten {
109 tokens.append_all(quote! {
110let mut __flatten: Vec<::darling::ast::NestedMeta> = vec![];
111 });
112 }
113 }
114}
115116pub struct FlattenInitializer<'a> {
117 field: &'a Field<'a>,
118 parent_field_names: Vec<&'a str>,
119}
120121impl ToTokens for FlattenInitializer<'_> {
122fn to_tokens(&self, tokens: &mut TokenStream) {
123let Self {
124 field,
125 parent_field_names,
126 } = self;
127let ident = field.ident;
128129let add_parent_fields = if parent_field_names.is_empty() {
130None
131} else {
132Some(quote! {
133 .map_err(|e| e.add_sibling_alts_for_unknown_field(&[#(#parent_field_names),*]))
134 })
135 };
136137 tokens.append_all(quote! {
138 #ident = (true,
139 __errors.handle(
140 ::darling::FromMeta::from_list(&__flatten) #add_parent_fields
141 )
142 );
143 });
144 }
145}
146147/// Represents an individual field in the match.
148pub struct MatchArm<'a>(&'a Field<'a>);
149150impl ToTokens for MatchArm<'_> {
151fn to_tokens(&self, tokens: &mut TokenStream) {
152let field = self.0;
153154// Skipped and flattened fields cannot be populated by a meta
155 // with their name, so they do not have a match arm.
156if field.skip || field.flatten {
157return;
158 }
159160let name_str = &field.name_in_attr;
161let ident = field.ident;
162let with_callable = &field.with_callable;
163let post_transform = field.post_transform.as_ref();
164165// Errors include the location of the bad input, so we compute that here.
166 // Fields that take multiple values add the index of the error for convenience,
167 // while single-value fields only expose the name in the input attribute.
168let location = if field.multiple {
169// we use the local variable `len` here because location is accessed via
170 // a closure, and the borrow checker gets very unhappy if we try to immutably
171 // borrow `#ident` in that closure when it was declared `mut` outside.
172quote!(&format!("{}[{}]", #name_str, __len))
173 } else {
174quote!(#name_str)
175 };
176177// Give darling's generated code the span of the `with_callable` so that if the target
178 // type doesn't impl FromMeta, darling's immediate user gets a properly-spanned error.
179 //
180 // Within the generated code, add the span immediately on extraction failure, so that it's
181 // as specific as possible.
182 // The behavior of `with_span` makes this safe to do; if the child applied an
183 // even-more-specific span, our attempt here will not overwrite that and will only cost
184 // us one `if` check.
185let extractor = quote_spanned!(with_callable.span()=>
186 ::darling::export::identity::<fn(&::syn::Meta) -> ::darling::Result<_>>(#with_callable)(__inner)
187 #post_transform
188 .map_err(|e| e.with_span(&__inner).at(#location))
189 );
190191 tokens.append_all(if field.multiple {
192quote!(
193 #name_str => {
194// Store the index of the name we're assessing in case we need
195 // it for error reporting.
196let __len = #ident.len();
197if let ::darling::export::Some(__val) = __errors.handle(#extractor) {
198 #ident.push(__val)
199 }
200 }
201 )
202 } else {
203quote!(
204 #name_str => {
205if !#ident.0 {
206 #ident = (true, __errors.handle(#extractor));
207 } else {
208 __errors.push(::darling::Error::duplicate_field(#name_str).with_span(&__inner));
209 }
210 }
211 )
212 });
213 }
214}
215216/// Wrapper to generate initialization code for a field.
217pub struct Initializer<'a>(&'a Field<'a>);
218219impl ToTokens for Initializer<'_> {
220fn to_tokens(&self, tokens: &mut TokenStream) {
221let field = self.0;
222let ident = field.ident;
223 tokens.append_all(if field.multiple {
224if let Some(ref expr) = field.default_expression {
225quote_spanned!(expr.span()=> #ident: if !#ident.is_empty() {
226 #ident
227 } else {
228 #expr
229 })
230 } else {
231quote!(#ident: #ident)
232 }
233 } else if let Some(ref expr) = field.default_expression {
234quote_spanned!(expr.span()=> #ident: if let Some(__val) = #ident.1 {
235 __val
236 } else {
237 #expr
238 })
239 } else {
240quote!(#ident: #ident.1.expect("Uninitialized fields without defaults were already checked"))
241 });
242 }
243}
244245/// Creates an error if a field has no value and no default.
246pub struct CheckMissing<'a>(&'a Field<'a>);
247248impl ToTokens for CheckMissing<'_> {
249fn to_tokens(&self, tokens: &mut TokenStream) {
250if !self.0.multiple && self.0.default_expression.is_none() {
251let ident = self.0.ident;
252let ty = self.0.ty;
253let name_in_attr = &self.0.name_in_attr;
254255// If `ty` does not impl FromMeta, the compiler error should point
256 // at the offending type rather than at the derive-macro call site.
257let from_none_call =
258quote_spanned!(ty.span()=> <#ty as ::darling::FromMeta>::from_none());
259260 tokens.append_all(quote! {
261if !#ident.0 {
262match #from_none_call {
263 ::darling::export::Some(__type_fallback) => {
264 #ident.1 = ::darling::export::Some(__type_fallback);
265 }
266 ::darling::export::None => {
267 __errors.push(::darling::Error::missing_field(#name_in_attr))
268 }
269 }
270 }
271 })
272 }
273 }
274}