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
use crate::text::parse_result::{fatal_parse_error, IonParseResult, UpgradeParser};
use crate::text::parsers::text_support::{
    escaped_char_no_unicode, escaped_newline, normalized_newline, StringFragment,
};
use crate::text::parsers::{text_support, whitespace, WHITESPACE_CHARACTERS};
use crate::text::text_value::TextValue;
use nom::branch::alt;
use nom::bytes::streaming::tag;
use nom::character::streaming::char;
use nom::combinator::{map, not, opt, peek};
use nom::multi::{fold_many0, many1};
use nom::sequence::{delimited, terminated};
use nom::Err::Incomplete;
use nom::Needed;
use std::str;

/// Matches the text representation of a clob value and returns the resulting `clob`
/// as a [`TextValue::Clob`].
pub(crate) fn parse_clob(input: &str) -> IonParseResult<TextValue> {
    map(
        delimited(
            tag("{{").upgrade(),
            delimited(opt(whitespace), parse_clob_body, opt(whitespace)),
            tag("}}").upgrade(),
        ),
        |text| text,
    )(input)
}

/// Matches the body of a clob value (e.g. "Hello" in {{"Hello"}})
fn parse_clob_body(input: &str) -> IonParseResult<TextValue> {
    alt((short_clob, long_clob))(input)
}

/// Matches a short clob (e.g. `"Hello"`) and returns the resulting `clob`
/// as a [`TextValue::Clob`].
fn short_clob(input: &str) -> IonParseResult<TextValue> {
    map(delimited(char('"'), short_clob_body, char('"')), |text| {
        TextValue::Clob(text)
    })(input)
}

/// Matches a long clob (e.g. `'''Hello, '''\n'''World!'''`) and returns the resulting `clob`
/// as a [`TextValue::Clob`].
fn long_clob(input: &str) -> IonParseResult<TextValue> {
    // TODO: This parser allocates a Vec to hold each intermediate '''...''' string
    //       and then again to merge them into a finished product. These allocations
    //       could be removed with some refactoring.
    map(
        terminated(
            many1(terminated(
                delimited(tag("'''"), long_clob_body, tag("'''")),
                opt(whitespace),
            )),
            peek(not(tag("'''"))),
        ),
        |text| {
            let mut text_vec = Vec::new();
            for value in text {
                text_vec.extend(value);
            }
            TextValue::Clob(text_vec)
        },
    )(input)
}

/// Matches the body of a long clob fragment. (The `hello` in `'''hello'''`.)
fn long_clob_body(input: &str) -> IonParseResult<Vec<u8>> {
    fold_many0(long_clob_fragment, Vec::new, |mut string, fragment| {
        match fragment {
            StringFragment::EscapedNewline => {} // Discard escaped newlines
            StringFragment::EscapedChar(c) => string.push(c as u8),
            StringFragment::Substring(s) => string.extend(s.as_bytes()),
        }
        string
    })(input)
}

/// Matches an escaped character or a substring without any escapes in a long clob.
fn long_clob_fragment(input: &str) -> IonParseResult<StringFragment> {
    alt((
        normalized_newline,
        escaped_newline,
        escaped_char_no_unicode,
        long_clob_fragment_without_escaped_text,
    ))(input)
}

/// Matches the next clob fragment while respecting the long clob delimiter (`'''`).
fn long_clob_fragment_without_escaped_text(input: &str) -> IonParseResult<StringFragment> {
    for (byte_index, character) in input.char_indices() {
        match character {
            '\\' | '\r' => {
                // Escapes and carriage returns are handled by other clob fragment parsers.
                // Return a match for everything leading up to this.
                return text_support::string_fragment_or_mismatch(input, byte_index);
            }
            '\'' => {
                // This might be the terminating `'''`. Look ahead to see if it's followed by two
                // more `'`s. If so, return a match for everything leading up to it.
                let remaining = &input[byte_index..];
                if remaining.starts_with("'''") {
                    return text_support::string_fragment_or_mismatch(input, byte_index);
                }
            }
            c if char_is_legal_clob_ascii(c) => {
                // Do nothing; this will be part of the substring we return.
            }
            c => {
                return fatal_parse_error(
                    input,
                    format!(
                        "found unescaped non-ASCII or non-displayable character in a clob: {}",
                        u32::from(c)
                    ),
                );
            }
        };
    }
    // We never found an end-of-fragment; we need more input to tell if this is a valid clob.
    Err(Incomplete(Needed::Unknown))
}

/// Matches the body of a short clob. (The `hello` in `"hello"`.)
fn short_clob_body(input: &str) -> IonParseResult<Vec<u8>> {
    fold_many0(short_clob_fragment, Vec::new, |mut string, fragment| {
        match fragment {
            StringFragment::EscapedNewline => {} // Discard escaped newlines
            StringFragment::EscapedChar(c) => string.push(c as u8),
            StringFragment::Substring(s) => string.extend_from_slice(s.as_bytes()),
        }
        string
    })(input)
}

/// Matches an escaped character or a substring without any escapes in a short clob.
fn short_clob_fragment(input: &str) -> IonParseResult<StringFragment> {
    alt((
        escaped_newline,
        escaped_char_no_unicode,
        short_clob_fragment_without_escaped_text,
    ))(input)
}

/// Matches the next clob fragment while respecting the short clob delimiter (`"`).
fn short_clob_fragment_without_escaped_text(input: &str) -> IonParseResult<StringFragment> {
    for (byte_index, character) in input.char_indices() {
        match character {
            '\\' | '\r' | '\"' => {
                // We found an escape, an un-normalized newline (\r), or an end-of-fragment marker.
                // Stop parsing and return a match for everything leading up to this.
                return text_support::string_fragment_or_mismatch(input, byte_index);
            }
            '\n' => {
                return fatal_parse_error(input, "short clobs cannot contain unescaped newlines");
            }
            c if char_is_legal_clob_ascii(c) => {
                // Do nothing; this will be part of the substring we return.
            }
            c => {
                return fatal_parse_error(
                    input,
                    format!(
                        "found unescaped non-ASCII or non-displayable character in a clob: {}",
                        u32::from(c)
                    ),
                );
            }
        };
    }
    // We never found an end-of-fragment; we need more input to tell if this is a valid clob.
    Err(Incomplete(Needed::Unknown))
}

fn char_is_legal_clob_ascii(c: char) -> bool {
    // Depending on where you look in the spec and/or `ion-tests`, you'll find conflicting
    // information about which ASCII characters can appear unescaped in a clob. Some say
    // "characters >= 0x20", but that excludes lots of whitespace characters that are < 0x20.
    // Some say "displayable ASCII", but DEL (0x7F) is shown to be legal in one of the ion-tests.
    // The definition used here has largely been inferred from the contents of `ion-tests`.
    c.is_ascii() && (u32::from(c) >= 0x20 || WHITESPACE_CHARACTERS.contains(&c))
}

#[cfg(test)]
mod clob_parsing_tests {
    use std::iter::FromIterator;

    use crate::text::parsers::clob::parse_clob;
    use crate::text::parsers::unit_test_support::{parse_test_err, parse_test_ok};
    use crate::text::text_value::TextValue;

    fn parse_equals<A: AsRef<[u8]>>(text: &str, expected: A) {
        let data = Vec::from_iter(expected.as_ref().iter().copied());
        parse_test_ok(parse_clob, text, TextValue::Clob(data))
    }

    fn parse_fails(text: &str) {
        parse_test_err(parse_clob, text)
    }

    #[test]
    fn test_parse_clobs() {
        // parse tests for short clob
        parse_equals("{{\"hello\"}}\n", "hello");
        parse_equals("{{\"a\\\"'\\n\"}}\n", "a\"\'\n");
        parse_equals("{{\"\\xe2\\x9d\\xa4\\xef\\xb8\\x8f\"}}\n", "❤️");

        // parse tests for long clob
        parse_equals("{{'''Hello''' '''world'''}}", "Helloworld");
        parse_equals("{{'''Hello world'''}}", "Hello world");
        parse_equals("{{'''\\xe2\\x9d\\xa4\\xef\\xb8\\x8f\'''}}", "❤️");

        // Clobs represent text of some encoding, but it may or may not be a flavor of Unicode.
        // As such, clob syntax does not support Unicode escape sequences like `\u` or `\U`.
        // Byte literals may be written using `\x`, however.
        parse_fails(r#"{{ "\u3000" }}"#);
    }
}