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
extern crate proc_macro;

use proc_macro::TokenStream;
use quote::{format_ident, quote};
use syn::{parse_macro_input, Data, DeriveInput, Fields};

mod doc;

fn extract_struct_info(
    ast: &DeriveInput,
    trait_name: &str,
    implement_default: bool,
) -> TokenStream {
    let name_ident = &ast.ident;
    let trait_ident = format_ident!("{trait_name}");
    let default_values_variable_ident = format_ident!("entries");

    let init_default_values_code_quote = if implement_default {
        quote! {
            let #default_values_variable_ident = <#name_ident>::default().collect().unwrap();
        }
    } else {
        quote! {
            let #default_values_variable_ident = Map::<String,Value>::new();
        }
    };

    let fields_info = extract_fields_info(ast).unwrap();
    let data_code_quote = fields_info.iter().map(|field_info| {
        let name = &field_info.name;
        let doc = &field_info.doc;
        let example = match &field_info.example {
            Some(value) => quote! {
                Some(#value.to_string())
            },
            None => quote! {
                None
            },
        };
        quote! {
            struct_data.add_param(#name, #doc, Some(#name.to_uppercase().to_string()), #default_values_variable_ident.get(#name).map(|v| v.to_string()), #example);
        }
    }).collect::<Vec<_>>();

    let output_quote = quote! {
        impl #trait_ident for #name_ident {
            fn extract() -> StructDoc {
                #init_default_values_code_quote
                let mut struct_data = StructDoc::default();
                #(#data_code_quote)*
                struct_data
            }
        }
    };

    output_quote.into()
}

fn extract_fields_info(ast: &DeriveInput) -> Result<Vec<FieldInfo>, String> {
    let data = &ast.data;
    let data_code = match data {
        Data::Enum(_) => {
            return Err("compile_error!(\"Enum types are not supported\")"
                .parse()
                .unwrap())
        }
        Data::Struct(data_struct) => {
            match &data_struct.fields {
                Fields::Named(fields) => fields.named.iter().map(format_field).collect(),
                _ => {
                    // Not implemented!
                    vec![]
                }
            }
        }
        Data::Union(_) => {
            // Not implemented!
            vec![]
        }
    };
    Ok(data_code)
}

struct FieldInfo {
    name: String,
    doc: String,
    example: Option<String>,
}

fn format_field(champ: &syn::Field) -> FieldInfo {
    let _vis_str = match champ.vis {
        syn::Visibility::Public(_) => "public",
        syn::Visibility::Restricted(_) => "restricted",
        syn::Visibility::Inherited => "inherited",
    };

    let doc = doc::extract_doc_comment(&champ.attrs[..]).join("\n");

    let example = champ
        .attrs
        .iter()
        .find(|attr| attr.path().is_ident("example"))
        .and_then(|attr| match &attr.meta {
            syn::Meta::NameValue(syn::MetaNameValue {
                value:
                    syn::Expr::Lit(syn::ExprLit {
                        lit: syn::Lit::Str(s),
                        ..
                    }),
                ..
            }) => Some(s.value()),
            _ => None,
        });

    let field_info = FieldInfo {
        name: champ.ident.as_ref().unwrap().to_string(),
        doc,
        example,
    };

    field_info
}

/// To extract doc from a struct.
#[proc_macro_derive(Documenter, attributes(example))]
pub fn doc_extractor(input: TokenStream) -> TokenStream {
    // Parse the input tokens into a syntax tree
    let ast = parse_macro_input!(input as DeriveInput);
    extract_struct_info(&ast, "Documenter", false)
}

/// To extract doc from a struct with Default trait.
#[proc_macro_derive(DocumenterDefault, attributes(example))]
pub fn doc_extractor_default(input: TokenStream) -> TokenStream {
    // Parse the input tokens into a syntax tree
    let ast = parse_macro_input!(input as DeriveInput);
    extract_struct_info(&ast, "DocumenterDefault", true)
}