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
mod error;
mod rust_crate;

use self::error::CrateResult;
use serde::Deserialize;
use std::{
    collections::{BTreeMap, HashMap},
    path::Path,
};

pub fn generate_rust_modules(out_dir: &Path) -> CrateResult {
    let api_defs_root = concat!(env!("CARGO_MANIFEST_DIR"), "/methods");

    // https://doc.rust-lang.org/cargo/reference/build-scripts.html
    println!("cargo:rerun-if-changed={api_defs_root}");

    let entries = std::fs::read_dir(api_defs_root)?;
    let mut api = Api::default();

    for entry in entries {
        let entry = entry?;
        if !entry.file_type()?.is_file() {
            continue;
        }

        let contents = std::fs::read_to_string(entry.path())?;
        eprintln!("Merging {}", entry.path().file_name().unwrap().to_string_lossy());
        let api_fragment: Api = toml::from_str(&contents)?;

        merge(&mut api, api_fragment);
    }

    validate(&api);

    rust_crate::generate_rust_crate(out_dir, &api)?;

    eprintln!("ok: definitions generated");

    Ok(())
}

fn validate(api: &Api) {
    let mut errs: Vec<String> = Vec::new();

    for (method_name, method) in &api.methods {
        if !shape_exists(&method.request_shape, api) {
            errs.push(format!("Request shape for {method_name} does not exist"))
        }

        if !shape_exists(&method.response_shape, api) {
            errs.push(format!("Response shape for {method_name} does not exist"))
        }
    }

    for (record_name, record_shape) in &api.record_shapes {
        for (field_name, field) in &record_shape.fields {
            if !shape_exists(&field.shape, api) {
                errs.push(format!("Field shape for {record_name}.{field_name} does not exist."))
            }
        }
    }

    for (enum_name, enum_shape) in &api.enum_shapes {
        for (variant_name, variant) in &enum_shape.variants {
            if let Some(shape) = variant.shape.as_ref() {
                if !shape_exists(shape, api) {
                    errs.push(format!(
                        "Enum variant shape for {enum_name}.{variant_name} does not exist."
                    ))
                }
            }
        }
    }

    if !errs.is_empty() {
        for err in errs {
            eprintln!("{err}");
        }
        std::process::exit(1);
    }
}

fn shape_exists(shape: &str, api: &Api) -> bool {
    let builtin_scalars = ["string", "bool", "u32", "isize", "serde_json::Value"];

    if builtin_scalars.contains(&shape) {
        return true;
    }

    if api.enum_shapes.contains_key(shape) {
        return true;
    }

    if api.record_shapes.contains_key(shape) {
        return true;
    }

    false
}

fn merge(api: &mut Api, new_fragment: Api) {
    for (method_name, method) in new_fragment.methods {
        assert!(api.methods.insert(method_name, method).is_none());
    }

    for (record_name, record) in new_fragment.record_shapes {
        assert!(api.record_shapes.insert(record_name, record).is_none());
    }

    for (enum_name, enum_d) in new_fragment.enum_shapes {
        assert!(api.enum_shapes.insert(enum_name, enum_d).is_none());
    }
}

// Make sure #[serde(deny_unknown_fields)] is on all struct types here.
#[derive(Debug, Deserialize, Default)]
#[serde(deny_unknown_fields)]
struct Api {
    #[serde(rename = "recordShapes", default)]
    record_shapes: HashMap<String, RecordShape>,
    #[serde(rename = "enumShapes", default)]
    enum_shapes: HashMap<String, EnumShape>,
    #[serde(default)]
    methods: HashMap<String, Method>,
}

#[derive(Debug, Deserialize)]
#[serde(deny_unknown_fields)]
struct RecordShape {
    description: Option<String>,
    #[serde(default)]
    fields: BTreeMap<String, RecordField>,
    example: Option<String>,
}

#[derive(Debug, Deserialize)]
#[serde(deny_unknown_fields)]
struct RecordField {
    description: Option<String>,
    #[serde(rename = "isList", default)]
    is_list: bool,
    #[serde(rename = "isNullable", default)]
    is_nullable: bool,
    shape: String,
}

#[derive(Debug, Deserialize)]
#[serde(deny_unknown_fields)]
struct EnumVariant {
    description: Option<String>,
    /// In case there is no shape, it just means the variant has no associated data.
    shape: Option<String>,
}

#[derive(Debug, Deserialize)]
#[serde(deny_unknown_fields)]
struct EnumShape {
    description: Option<String>,
    variants: HashMap<String, EnumVariant>,
}

#[derive(Debug, Deserialize)]
#[serde(deny_unknown_fields)]
struct Method {
    description: Option<String>,
    #[serde(rename = "requestShape")]
    request_shape: String,
    #[serde(rename = "responseShape")]
    response_shape: String,
}