1use crate::{
2 add_trait_bounds,
3 context::{Context, Tokens},
4};
5use proc_macro2::{Span, TokenStream};
6use quote::{format_ident, quote, ToTokens};
7use syn::Token;
8
9pub struct Derive {
11 input: syn::DeriveInput,
12}
13
14impl syn::parse::Parse for Derive {
15 fn parse(input: syn::parse::ParseStream) -> syn::Result<Self> {
16 Ok(Self {
17 input: input.parse()?,
18 })
19 }
20}
21
22impl Derive {
23 pub(super) fn expand(self, cx: &Context, is_option_spanned: bool) -> Result<TokenStream, ()> {
24 let attr = cx.type_attrs(&self.input.attrs);
25 let tokens = cx.tokens_with_module(attr.module.as_ref());
26
27 let mut expander = Expander { cx, tokens };
28
29 let inner = match &self.input.data {
30 syn::Data::Struct(st) => expander.expand_struct_fields(
31 &st.fields,
32 |member| quote!(&self.#member),
33 is_option_spanned,
34 )?,
35 syn::Data::Enum(enum_) => expander.expand_enum(enum_, is_option_spanned)?,
36 syn::Data::Union(un) => {
37 expander.cx.error(syn::Error::new_spanned(
38 un.union_token,
39 "not supported on unions",
40 ));
41
42 return Err(());
43 }
44 };
45
46 let ident = &self.input.ident;
47
48 let Tokens {
49 spanned,
50 option_spanned,
51 span,
52 option,
53 ..
54 } = &expander.tokens;
55
56 let mut generics = self.input.generics.clone();
57
58 let (trait_t, ret) = if is_option_spanned {
59 add_trait_bounds(&mut generics, option_spanned);
60 (option_spanned, quote!(#option<#span>))
61 } else {
62 add_trait_bounds(&mut generics, spanned);
63 (spanned, quote!(#span))
64 };
65
66 let (impl_gen, type_gen, where_gen) = generics.split_for_impl();
67
68 let name = if is_option_spanned {
69 syn::Ident::new("option_span", Span::call_site())
70 } else {
71 syn::Ident::new("span", Span::call_site())
72 };
73
74 let implementation = quote! {
75 #[automatically_derived]
76 impl #impl_gen #trait_t for #ident #type_gen #where_gen {
77 fn #name(&self) -> #ret {
78 #inner
79 }
80 }
81 };
82
83 let option_spanned = (!is_option_spanned).then(|| {
84 quote! {
85 #[automatically_derived]
86 impl #impl_gen #option_spanned for #ident #type_gen #where_gen {
87 fn option_span(&self) -> #option<#span> {
88 #option::Some(#spanned::span(self))
89 }
90 }
91 }
92 });
93
94 Ok(quote! {
95 #implementation
96 #option_spanned
97 })
98 }
99}
100
101struct Expander<'cx> {
102 cx: &'cx Context,
103 tokens: Tokens,
104}
105
106impl Expander<'_> {
107 fn expand_enum(
109 &mut self,
110 enum_: &syn::DataEnum,
111 is_option_spanned: bool,
112 ) -> Result<TokenStream, ()> {
113 let mut variants = Vec::new();
114
115 for variant in &enum_.variants {
116 let ident = &variant.ident;
117
118 if matches!(&variant.fields, syn::Fields::Unit if !is_option_spanned) {
119 self.cx.error(syn::Error::new_spanned(
120 variant,
121 "Spanned cannot be implemented for unit variants",
122 ));
123 continue;
124 }
125
126 let mut assign = Vec::new();
127
128 for (index, field) in variant.fields.iter().enumerate() {
129 let member = match &field.ident {
130 Some(ident) => syn::Member::Named(ident.clone()),
131 None => syn::Member::Unnamed(syn::Index::from(index)),
132 };
133
134 let to = match &field.ident {
135 Some(ident) => ident.clone(),
136 None => format_ident!("_{}", index),
137 };
138
139 assign.push(syn::FieldValue {
140 attrs: Vec::new(),
141 member,
142 colon_token: Some(<Token![:]>::default()),
143 expr: syn::Expr::Path(syn::ExprPath {
144 attrs: Vec::new(),
145 qself: None,
146 path: syn::Path::from(to),
147 }),
148 });
149 }
150
151 if let Ok(body) = self.expand_struct_fields(
152 &variant.fields,
153 |member| match member {
154 syn::Member::Named(field) => quote!(#field),
155 syn::Member::Unnamed(index) => format_ident!("_{}", index).into_token_stream(),
156 },
157 is_option_spanned,
158 ) {
159 variants.push(quote! {
160 Self::#ident { #(#assign),* } => { #body }
161 });
162 }
163 }
164
165 if self.cx.has_errors() {
166 return Err(());
167 }
168
169 Ok(quote! {
170 match self {
171 #(#variants,)*
172 }
173 })
174 }
175
176 fn expand_struct_fields(
178 &mut self,
179 fields: &syn::Fields,
180 access_member: fn(&syn::Member) -> TokenStream,
181 is_option_spanned: bool,
182 ) -> Result<TokenStream, ()> {
183 let mut explicit_span = None;
184
185 let Tokens {
186 spanned,
187 into_iterator,
188 span,
189 option,
190 option_spanned,
191 iterator,
192 double_ended_iterator,
193 ..
194 } = &self.tokens;
195
196 let mut out = None;
197 let mut definite_span = false;
198
199 for (index, field) in fields.iter().enumerate() {
200 let attr = self.cx.field_attrs(&field.attrs);
201
202 if attr.id.is_some() || attr.skip.is_some() {
203 continue;
204 }
205
206 let member = match &field.ident {
207 Some(ident) => syn::Member::Named(ident.clone()),
208 None => syn::Member::Unnamed(syn::Index::from(index)),
209 };
210
211 if let Some(span) = attr.span {
212 if explicit_span.is_some() {
213 self.cx.error(syn::Error::new(
214 span,
215 "Only one field can be marked `#[rune(span)]`",
216 ));
217 return Err(());
218 }
219
220 explicit_span = Some(member.clone());
221 }
222
223 let access = access_member(&member);
224
225 let next = if attr.iter.is_some() {
226 quote! {
227 #iterator::map(#into_iterator::into_iter(#access), #spanned::span)
228 }
229 } else if attr.option.is_some() {
230 quote! {
231 #iterator::flat_map(#into_iterator::into_iter([#access]), #option_spanned::option_span)
232 }
233 } else {
234 definite_span = true;
235
236 quote! {
237 #iterator::map(#into_iterator::into_iter([#access]), #spanned::span)
238 }
239 };
240
241 out = Some(match out.take() {
242 Some(out) => quote!(#iterator::chain(#out, #next)),
243 None => next,
244 });
245 }
246
247 if let Some(explicit_span) = explicit_span {
248 let access = access_member(&explicit_span);
249
250 if is_option_spanned {
251 return Ok(quote!(#option::Some(#spanned::span(#access))));
252 } else {
253 return Ok(quote!(#spanned::span(#access)));
254 }
255 }
256
257 let match_head_back = if is_option_spanned {
258 quote! {
259 match (head, back) {
260 (#option::Some(head), #option::Some(back)) => #option::Some(#span::join(head, back)),
261 (#option::Some(head), #option::None) => #option::Some(head),
262 (#option::None, #option::Some(back)) => #option::Some(back),
263 _ => None,
264 }
265 }
266 } else {
267 if !definite_span {
268 self.cx.error(syn::Error::new_spanned(
269 fields,
270 "No field available that can definitely produce a `Span` from",
271 ));
272
273 return Err(());
274 }
275
276 quote! {
277 match (head, back) {
278 (#option::Some(head), #option::Some(back)) => #span::join(head, back),
279 (#option::Some(head), #option::None) => head,
280 (#option::None, #option::Some(back)) => back,
281 _ => unreachable!(),
282 }
283 }
284 };
285
286 let Some(out) = out else {
287 return Ok(quote!(#option::None));
288 };
289
290 Ok(quote! {
291 let mut iter = #out;
292 let head: #option<#span> = #iterator::next(&mut iter);
293 let back: #option<#span> = #double_ended_iterator::next_back(&mut iter);
294 #match_head_back
295 })
296 }
297}