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
/*!
# Macros for parsing XML into Rust structs, and vice versa

**If you are a user of `xso_proc` or `xso`, please
return to `xso` for more information**. The documentation of
`xso_proc` is geared toward developers of `…_macros` and `…_core`.

**You have been warned.**

## How the derive macros work

The processing is roughly grouped in the following stages:

1. [`syn`] is used to parse the incoming [`TokenStream`] into a [`syn::Item`].
   Based on that, the decision is made whether a struct or an enum is being
   derived on.

2. Depending on the item type (enum vs. struct), a [`ItemDef`] object is
   created which implements that item. The actual implementations reside in
   [`crate::structs`] and [`crate::enums`] (respectively).

    1. The [`crate::meta::XmlCompoundMeta`] type is used to convert the
       raw token streams from the `#[xml(..)]` attributes into structs/enums
       for easier handling.

       That stage only does syntax checks, no (or just little) semantics. This
       separation of concerns helps with simplifying the code both in `meta`
       and the following modules.

    2. Enum variants and structs are processed using
       [`crate::compound::Compound`], their fields being converted from
       [`crate::meta::XmlFieldMeta`] to [`crate::field::FieldDef`]. For enums,
       additional processing on the enum itself takes place in
       [`crate::enums`]. Likewise there's special handling for structs in
       [`crate::structs`].

    3. If any wrapping was declared, the resulting `ItemDef` is wrapped using
       [`crate::wrapped`].

3. After all data has been structured, action is taken depending on the
   specific derive macro which has been invoked.
*/
#![warn(missing_docs)]
#![allow(rustdoc::private_intra_doc_links)]
mod common;
mod compound;
mod enums;
mod error_message;
mod field;
mod meta;
mod structs;
mod types;
mod wrapped;

use proc_macro::TokenStream as RawTokenStream;
use proc_macro2::{Span, TokenStream};

use quote::quote;
use syn::*;

use self::common::{FromEventsParts, IntoEventIterParts, ItemDef};

fn fail_generics(generics: &Generics) -> Result<()> {
    if generics.params.len() > 0 {
        return Err(Error::new_spanned(
            &generics.params,
            "generic parameters are not supported in FromXml/IntoXml/DynNamespace derivations",
        ));
    }
    if let Some(where_clause) = generics.where_clause.as_ref() {
        return Err(Error::new_spanned(
            where_clause,
            "where clauses are not supported in FromXml/IntoXml/DynNamespace derivations",
        ));
    }
    Ok(())
}

/// Parse any implemented [`syn::Item`] into a [`ItemDef`] object.
fn parse(item: Item) -> Result<(Visibility, Box<dyn ItemDef>, Ident)> {
    match item {
        Item::Struct(item) => {
            let def = self::structs::parse_struct(&item)?;
            let ident = item.ident;
            fail_generics(&item.generics)?;
            Ok((item.vis, def, ident))
        }
        Item::Enum(item) => {
            let def = self::enums::parse_enum(&item)?;
            let ident = item.ident;
            fail_generics(&item.generics)?;
            Ok((item.vis, def, ident))
        }
        other => Err(Error::new_spanned(
            other,
            "can only be applied to enum and struct definitions",
        )),
    }
}

/// Build the FromXml implementation for a given [`syn::Item`].
fn try_from_element_impl(item: Item) -> Result<TokenStream> {
    let (vis, def, ident) = parse(item)?;

    let ty = Type::Path(TypePath {
        qself: None,
        path: Path {
            leading_colon: None,
            segments: [PathSegment {
                ident: ident.clone(),
                arguments: PathArguments::None,
            }]
            .into_iter()
            .collect(),
        },
    });

    let FromEventsParts {
        struct_def,
        from_events_body,
        builder_ty_ident,
    } = def.build_from_events_builder(
        &vis,
        &ty,
        &(Path::from(ident.clone()).into()),
        &Ident::new("name", Span::call_site()),
        &Ident::new("attrs", Span::call_site()),
    )?;

    let result = quote! {
        #struct_def

        impl ::xso::FromXml for #ty {
            type Builder = #builder_ty_ident;

            fn from_events(
                name: ::xso::exports::rxml::QName,
                attrs: ::xso::exports::rxml::AttrMap,
            ) -> ::std::result::Result<Self::Builder, ::xso::FromEventsError> {
                #from_events_body
            }
        }

        impl ::std::convert::TryFrom<::xso::exports::minidom::Element> for #ty {
            type Error = ::xso::error::Error;

            fn try_from(other: ::xso::exports::minidom::Element) -> ::std::result::Result<Self, Self::Error> {
                ::xso::try_from_element(other)
            }
        }
    };

    if def.debug_mode() {
        println!("{}", result);
    }

    Ok(result)
}

/// Derive macro for `FromXml`.
#[proc_macro_derive(FromXml, attributes(xml))]
pub fn try_from_element(input: RawTokenStream) -> RawTokenStream {
    let item = syn::parse_macro_input!(input as Item);
    let result = try_from_element_impl(item);
    match result {
        Ok(v) => v.into(),
        Err(e) => e.into_compile_error().into(),
    }
}

/// Build the DynNamespace implementation for a given [`syn::Item`].
fn dyn_namespace_impl(item: Item) -> Result<TokenStream> {
    let (_, def, ident) = parse(item)?;

    let dyn_namespace_impl = def.build_dyn_namespace()?;

    let result = quote! {
        impl ::xso::DynNamespace for #ident {
            #dyn_namespace_impl
        }
    };

    if def.debug_mode() {
        println!("{}", result);
    }

    Ok(result)
}

/// Derive macro for `DynNamespace`.
#[proc_macro_derive(DynNamespace, attributes(xml))]
pub fn dyn_namespace(input: RawTokenStream) -> RawTokenStream {
    let item = syn::parse_macro_input!(input as Item);
    let result = dyn_namespace_impl(item);
    match result {
        Ok(v) => v.into(),
        Err(e) => e.into_compile_error().into(),
    }
}

/// Build the IntoXml implementation for a given [`syn::Item`].
fn into_element_impl(item: Item) -> Result<TokenStream> {
    let (vis, def, ident) = parse(item)?;

    let ty = Type::Path(TypePath {
        qself: None,
        path: Path {
            leading_colon: None,
            segments: [PathSegment {
                ident: ident.clone(),
                arguments: PathArguments::None,
            }]
            .into_iter()
            .collect(),
        },
    });

    let IntoEventIterParts {
        struct_def,
        into_event_iter_body,
        event_iter_ty_ident,
    } = def.build_into_events_iterator(
        &vis,
        &ty,
        &(Path::from(ident.clone()).into()),
        &(Ident::new("self", Span::call_site())),
    )?;

    let result = quote! {
        #struct_def

        impl ::xso::IntoXml for #ty {
            type EventIter = #event_iter_ty_ident;

            fn into_event_iter(mut self) -> Result<Self::EventIter, ::xso::error::Error> {
                #into_event_iter_body
            }
        }
    };

    #[cfg(feature = "panicking-into-impl")]
    let result = quote! {
        #result

        impl ::std::convert::From<#ty> for ::xso::exports::minidom::Element {
            fn from(other: #ty) -> Self {
               ::xso::transform(other).expect("conversion to minidom::Element failed")
            }
        }
    };

    #[cfg(not(feature = "panicking-into-impl"))]
    let result = quote! {
        #result

        impl ::std::convert::TryFrom<#ty> for ::xso::exports::minidom::Element {
            type Error = ::xso::error::Error;

            fn try_from(other: #ty) -> ::std::result::Result<Self, Self::Error> {
                ::xso::transform(other)
            }
        }
    };

    if def.debug_mode() {
        println!("{}", result);
    }

    Ok(result)
}

/// Derive macro for `IntoXml`.
#[proc_macro_derive(IntoXml, attributes(xml))]
pub fn into_element(input: RawTokenStream) -> RawTokenStream {
    let item = syn::parse_macro_input!(input as Item);
    let result = into_element_impl(item);
    match result {
        Ok(v) => v.into(),
        Err(e) => e.into_compile_error().into(),
    }
}