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
use std::fmt;
use std::path::Path;
use std::str::FromStr;

use once_cell::sync::Lazy;
use regex::Regex;

use crate::common::{Codepoint, CodepointIter, UcdFile, UcdFileByCodepoint};
use crate::error::Error;

/// Represents a single row in the `BidiMirroring.txt` file.
///
/// The field names were taken from the header of BidiMirroring.txt.
#[derive(Clone, Debug, Default, Eq, PartialEq)]
pub struct BidiMirroring {
    /// The codepoint corresponding to this row.
    pub codepoint: Codepoint,
    /// The codepoint that has typically has a glyph that is the mirror image
    /// of `codepoint`.
    pub bidi_mirroring_glyph: Codepoint,
}

impl UcdFile for BidiMirroring {
    fn relative_file_path() -> &'static Path {
        Path::new("BidiMirroring.txt")
    }
}

impl UcdFileByCodepoint for BidiMirroring {
    fn codepoints(&self) -> CodepointIter {
        self.codepoint.into_iter()
    }
}

impl FromStr for BidiMirroring {
    type Err = Error;

    fn from_str(line: &str) -> Result<BidiMirroring, Error> {
        static PARTS: Lazy<Regex> = Lazy::new(|| {
            Regex::new(
                r"(?x)
                ^
                \s*(?P<codepoint>[A-F0-9]+)\s*;
                \s*(?P<substitute_codepoint>[A-F0-9]+)
                \s+
                \#(?:.+)
                $
                ",
            )
            .unwrap()
        });
        let caps = match PARTS.captures(line.trim()) {
            Some(caps) => caps,
            None => return err!("invalid BidiMirroring line"),
        };

        Ok(BidiMirroring {
            codepoint: caps["codepoint"].parse()?,
            bidi_mirroring_glyph: caps["substitute_codepoint"].parse()?,
        })
    }
}

impl fmt::Display for BidiMirroring {
    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
        write!(f, "{};", self.codepoint)?;
        write!(f, "{};", self.bidi_mirroring_glyph)?;
        Ok(())
    }
}

#[cfg(test)]
mod tests {
    use crate::common::Codepoint;

    use super::BidiMirroring;

    fn codepoint(n: u32) -> Codepoint {
        Codepoint::from_u32(n).unwrap()
    }

    #[test]
    fn parse() {
        let line = "0028; 0029 # LEFT PARENTHESIS\n";
        let data: BidiMirroring = line.parse().unwrap();
        assert_eq!(
            data,
            BidiMirroring {
                codepoint: codepoint(0x0028),
                bidi_mirroring_glyph: codepoint(0x0029),
            }
        );
    }

    #[test]
    fn parse_best_fit() {
        let line = "228A; 228B # [BEST FIT] SUBSET OF WITH NOT EQUAL TO\n";
        let data: BidiMirroring = line.parse().unwrap();
        assert_eq!(
            data,
            BidiMirroring {
                codepoint: codepoint(0x228A),
                bidi_mirroring_glyph: codepoint(0x228B),
            }
        );
    }
}