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
//! Parsing logic for the text representation of boolean values.

use crate::text::parse_result::IonParseResult;
use nom::bytes::streaming::tag;
use nom::combinator::{map, recognize};
use nom::sequence::terminated;
use nom::Parser;

use crate::text::parsers::stop_character;
use crate::text::text_value::TextValue;

/// Matches the text representation of a boolean value and returns the resulting `true` or `false`
/// as a [TextValue::Bool].
pub(crate) fn parse_boolean(input: &str) -> IonParseResult<TextValue> {
    map(
        recognize(terminated(tag("true").or(tag("false")), stop_character)),
        |bool_text: &str| match bool_text {
            "true" => TextValue::Bool(true),
            "false" => TextValue::Bool(false),
            _ => unreachable!("text had to match 'true' or 'false' before reaching this point"),
        },
    )(input)
}

#[cfg(test)]
mod boolean_parsing_tests {
    use crate::text::parsers::boolean::parse_boolean;
    use crate::text::parsers::unit_test_support::{parse_test_err, parse_test_ok};
    use crate::text::text_value::TextValue;

    fn parse_equals(text: &str, expected: bool) {
        parse_test_ok(parse_boolean, text, TextValue::Bool(expected))
    }

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

    #[test]
    fn test_parse_booleans() {
        parse_equals("true ", true);
        parse_equals("false ", false);

        // Misspelled boolean name
        parse_fails("ture ");
        parse_fails("fasle ");
        // Capitalized
        parse_fails("True ");
        parse_fails("TRUE ");
        // Leading whitespace
        parse_fails(" true");
        // Boolean is end of current input; might be an incomplete stream
        parse_fails("true");
    }
}