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
use std::str;

use golang_parser::tree_sitter::Node;
use golang_type_core::{StructType, Type, TypeParseError};

#[derive(PartialEq, Eq, Debug, Clone)]
pub struct TypeDef {
    pub name: String,
    pub r#type: Type,
}

#[derive(thiserror::Error, Debug)]
pub enum TypeDefParseError {
    #[error("NodeMissing {0}")]
    NodeMissing(&'static str),
    #[error("Utf8Error {0:?}")]
    Utf8Error(#[from] str::Utf8Error),
    #[error("TypeParseError {0:?}")]
    TypeParseError(#[from] TypeParseError),
}

impl TypeDef {
    pub(crate) fn from_type_spec_node(
        node: Node,
        source: &[u8],
    ) -> Result<Self, TypeDefParseError> {
        debug_assert!(node.kind() == "type_spec");

        let node_name = node
            .named_child(0)
            .ok_or(TypeDefParseError::NodeMissing("name"))?;
        let name = node_name.utf8_text(source)?;

        let node_type = node
            .named_child(1)
            .ok_or(TypeDefParseError::NodeMissing("type"))?;
        let r#type = Type::from_node(node_type, source)?;

        Ok(Self {
            name: name.to_owned(),
            r#type,
        })
    }
}

pub struct JsonStructDef {
    pub name: String,
    pub struct_type: StructType,
}

#[cfg(feature = "enable-quote-to_tokens")]
mod enable_quote_to_tokens {
    use super::JsonStructDef;

    use convert_case::{Case, Casing as _};
    use golang_type_core::{
        golang_struct_tag::{JsonStructTag, JsonStructTagOption},
        StructField, Type, TypeName,
    };
    use proc_macro2::{Punct, Spacing, TokenStream};
    use quote::{format_ident, quote, ToTokens, TokenStreamExt as _};

    impl ToTokens for JsonStructDef {
        fn to_tokens(&self, tokens: &mut TokenStream) {
            let struct_name = format_ident!("{}", self.name.to_case(Case::Pascal));
            let struct_fields: Vec<_> = self
                .struct_type
                .field_decls
                .iter()
                .map(|field_decl| {
                    let as_json_struct_tag = if let Some(tag) = &field_decl.tag {
                        tag.as_json_struct_tag()
                    } else {
                        None
                    };

                    let is_ignored = if let Some(JsonStructTag::Ignored) = as_json_struct_tag {
                        Some(true)
                    } else {
                        None
                    };
                    if is_ignored == Some(true) {
                        return vec![];
                    }

                    let rename = if let Some(JsonStructTag::Normal(rename, _)) = as_json_struct_tag
                    {
                        rename.to_owned()
                    } else {
                        None
                    };
                    let is_omitempty =
                        if let Some(JsonStructTag::Normal(_, options)) = as_json_struct_tag {
                            Some(options.contains(&JsonStructTagOption::Omitempty))
                        } else {
                            None
                        };
                    let is_string =
                        if let Some(JsonStructTag::Normal(_, options)) = as_json_struct_tag {
                            Some(options.contains(&JsonStructTagOption::String))
                        } else {
                            None
                        };

                    match &field_decl.struct_field {
                        StructField::IdentifierListType(names, r#type) => names
                            .iter()
                            .filter(|x| x != &"_")
                            .map(|name| {
                                let field_serde_attr = JsonStructFieldSerdeAttr {
                                    rename: rename.to_owned().unwrap_or_else(|| name.to_owned()),
                                    is_omitempty,
                                };
                                let field_name = format_ident!("r#{}", name.to_case(Case::Snake));
                                let field_type = JsonStructFieldType {
                                    r#type: *r#type.to_owned(),
                                    is_string,
                                    is_omitempty,
                                };

                                quote! {
                                    #[serde(#field_serde_attr)]
                                    pub #field_name: #field_type,
                                }
                            })
                            .collect(),
                        StructField::EmbeddedField(embedded_field) => {
                            let field_serde_attr = JsonStructFieldSerdeAttr {
                                rename: rename.unwrap_or_else(|| embedded_field.name()),
                                is_omitempty,
                            };
                            let field_name =
                                format_ident!("r#{}", embedded_field.name().to_case(Case::Snake));
                            let field_type = JsonStructFieldType {
                                r#type: embedded_field.r#type(),
                                is_string,
                                is_omitempty,
                            };

                            vec![quote! {
                                #[serde(#field_serde_attr)]
                                pub #field_name: #field_type,
                            }]
                        }
                    }
                })
                .flatten()
                .collect();

            let token = quote! {
                #[derive(::serde::Deserialize, ::serde::Serialize, Debug, Clone)]
                pub struct #struct_name {
                    #(#struct_fields)*
                }
            };

            tokens.append_all(token);
        }
    }

    struct JsonStructFieldSerdeAttr {
        rename: String,
        is_omitempty: Option<bool>,
    }
    impl ToTokens for JsonStructFieldSerdeAttr {
        fn to_tokens(&self, tokens: &mut TokenStream) {
            tokens.append(format_ident!("rename"));
            tokens.append(Punct::new('=', Spacing::Alone));
            let rename = &self.rename;
            tokens.append_all(quote!(#rename));

            if self.is_omitempty == Some(true) {
                tokens.append(Punct::new(',', Spacing::Alone));

                tokens.append(format_ident!("default"));
                tokens.append(Punct::new(',', Spacing::Alone));

                tokens.append(format_ident!("skip_serializing_if"));
                tokens.append(Punct::new('=', Spacing::Alone));
                let skip_serializing_if_val = "Option::is_none";
                tokens.append_all(quote!(#skip_serializing_if_val));
            }
        }
    }

    struct JsonStructFieldType {
        r#type: Type,
        is_string: Option<bool>,
        is_omitempty: Option<bool>,
    }
    impl ToTokens for JsonStructFieldType {
        fn to_tokens(&self, tokens: &mut TokenStream) {
            let r#type = &self.r#type;
            let mut token = quote!(#r#type);
            if self.is_string == Some(true) {
                let r#type = Type::TypeName(TypeName::String);
                token = quote!(#r#type);
            }
            if self.is_omitempty == Some(true) {
                let mut tokens_tmp = TokenStream::new();
                tokens_tmp.append_all(quote!(::core::option::Option));
                tokens_tmp.append(Punct::new('<', Spacing::Alone));
                tokens_tmp.append_all(token);
                tokens_tmp.append(Punct::new('>', Spacing::Alone));
                token = tokens_tmp;
            }

            tokens.append_all(token);
        }
    }
}