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
use super::*;
use nom::{
    branch::alt,
    bytes::complete::is_not,
    bytes::complete::{tag, take_till, take_until},
    character::complete::{char, multispace0},
    error::{Error as NomError, ErrorKind},
    multi::{many0, separated_list0},
    sequence::delimited,
    IResult,
};
use parse_hyperlinks::take_until_unbalanced;

/// Main entry point into the template parsing. Parses a schema fragment of the form `#<fragment_ident>...<eol>`.
pub fn parse(fragment: &str) -> TemplatingResult<DatamodelFragment> {
    let (_, fragment) =
        parse_fragment(fragment).map_err(|err| TemplatingError::nom_error("unknown", err.to_string()))?;

    Ok(fragment)
}

// Todo: Error handling is a mess.
#[track_caller]
fn parse_fragment(input: &str) -> IResult<&str, DatamodelFragment> {
    let (input, _) = tag("#")(input)?;
    let (input, fragment_ident) = take_until("(")(input)?;

    // Produces the args string, e.g. "id, Int, @id"
    let (_, args) = unwrap_parenthesis(input)?;
    let (input, parsed_args) = many0(parse_fragment_argument)(args)?;

    let fragment = match DatamodelFragment::parse(fragment_ident, parsed_args) {
        Ok(fragment) => fragment,
        Err(err) => panic!("Invalid fragment definition '{fragment_ident}': {err}"),
    };

    Ok((input, fragment))
}

fn remove_whitespace<'a, F: 'a, O, E: nom::error::ParseError<&'a str>>(
    inner: F,
) -> impl FnMut(&'a str) -> IResult<&'a str, O, E>
where
    F: Fn(&'a str) -> IResult<&'a str, O, E>,
{
    delimited(multispace0, inner, multispace0)
}

fn unwrap_parenthesis(input: &str) -> IResult<&str, &str> {
    delimited(char('('), take_until_unbalanced('(', ')'), char(')'))(input)
}

fn parse_fragment_argument(input: &str) -> IResult<&str, FragmentArgument> {
    if input.is_empty() {
        return Err(nom::Err::Error(NomError::new(input, ErrorKind::NonEmpty)));
    }

    alt((parse_directive_argument, parse_value_argument))(input)
}

fn parse_directive_argument(input: &str) -> IResult<&str, FragmentArgument> {
    // Trim & discard `@`
    let (input, _) = remove_whitespace(tag("@"))(input)?;

    // Fragment arguments can have parenthesis and argument lists of their own,
    // so we need to find out what comes first: `(` or `,`.
    let (input, ident) = take_till(|c| c == '(' || c == ',')(input)?;
    if input.starts_with('(') {
        // `(` came first, parse argument parameters.
        let (input, all_args) = unwrap_parenthesis(input)?;

        // Todo: This will fail for @relation with nested commas (e.g. `fields: [field1, field2]`)
        let (_, chunked_args) = separated_list0(char(','), remove_whitespace(is_not(",")))(all_args)?;

        // Remove trailing comma, if any.
        let (input, _) = many0(remove_whitespace(char(',')))(input)?;

        Ok((input, FragmentArgument::Directive(Directive::new(ident, chunked_args))))
    } else {
        // `,` came first, remove it to allow parsing the next one.
        let (input, _) = many0(remove_whitespace(char(',')))(input)?;
        Ok((input, FragmentArgument::Directive(Directive::new(ident, vec![]))))
    }
}

fn parse_value_argument(input: &str) -> IResult<&str, FragmentArgument> {
    let (rest, arg) = remove_whitespace(take_till(|c| c == ','))(input)?;
    let (rest, _) = many0(remove_whitespace(char(',')))(rest)?;

    Ok((rest, FragmentArgument::Value(arg.to_owned())))
}

#[cfg(test)]
mod parser_tests {
    use super::*;

    #[test]
    // Valid ID fragment
    fn basic_id_fragment_parsing() {
        let fragment = r#"#id(id, Int, @id, @map("_id"))"#;
        let fragment = parse_fragment(fragment);

        assert_eq!(
            fragment,
            Ok((
                "",
                DatamodelFragment::Id(IdFragment {
                    field_name: String::from("id"),
                    field_type: String::from("Int"),
                    directives: vec![
                        Directive {
                            ident: String::from("id"),
                            args: vec![]
                        },
                        Directive {
                            ident: String::from("map"),
                            args: vec![String::from("\"_id\"")]
                        }
                    ]
                })
            ))
        );
    }

    #[test]
    #[should_panic]
    // Invalid ID fragment
    fn no_args_id_fragment() {
        let fragment = r#"#id()"#;
        parse_fragment(fragment).unwrap();
    }

    #[test]
    fn valid_directive_arg() {
        let directive = r#"@map("_id")"#;
        let parsed = parse_fragment_argument(directive);

        assert_eq!(
            parsed,
            Ok((
                "",
                FragmentArgument::Directive(Directive {
                    ident: String::from("map"),
                    args: vec![String::from("\"_id\"")]
                })
            ))
        );
    }

    #[test]
    fn valid_value_arg() {
        let directive = r#"someString"#;
        let parsed = parse_fragment_argument(directive);

        assert_eq!(parsed, Ok(("", FragmentArgument::Value(String::from("someString")))));
    }

    #[test]
    // Valid m2m fragment
    fn basic_m2m_fragment_parsing() {
        let fragment = r#"#m2m(posts, Post[], id, String, some_name)"#;
        let fragment = parse_fragment(fragment);

        assert_eq!(
            fragment,
            Ok((
                "",
                DatamodelFragment::M2m(M2mFragment {
                    field_name: String::from("posts"),
                    field_type: String::from("Post[]"),
                    opposing_name: String::from("id"),
                    opposing_type: String::from("String"),
                    relation_name: Some(String::from("some_name")),
                })
            ))
        );
    }

    #[test]
    #[should_panic]
    fn invalid_m2m_fragment() {
        let fragment = r#"#m2m(name, Type)"#;

        parse_fragment(fragment).unwrap();
    }
}