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
use core::fmt;
use core::mem;
use crate::Encoding;
use super::{is_valid, parse, ParseResult};
use super::multi::StrEncodingsIter;
#[derive(Clone, Copy, Debug)]
pub struct ParseEncodingError<S>(S) where S: AsRef<str>;
impl<S> fmt::Display for ParseEncodingError<S> where S: AsRef<str> {
fn fmt(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
write!(formatter, "Invalid encoding: {:?}", self.0.as_ref())
}
}
#[derive(Clone, Copy, Debug)]
pub struct StrEncoding<S: ?Sized = str>(S) where S: AsRef<str>;
impl StrEncoding {
pub fn from_str(s: &str) -> Result<&StrEncoding, ParseEncodingError<&str>> {
if is_valid(s) {
Ok(StrEncoding::from_str_unchecked(s))
} else {
Err(ParseEncodingError(s))
}
}
pub fn from_str_unchecked(s: &str) -> &StrEncoding {
unsafe { mem::transmute(s) }
}
}
impl<S: ?Sized> StrEncoding<S> where S: AsRef<str> {
pub fn as_str(&self) -> &str {
self.0.as_ref()
}
fn eq_encoding(&self, encoding: &Encoding) -> bool {
let s = self.as_str();
match (parse(s), *encoding) {
(ParseResult::Error, _) =>
panic!("Failed to parse an encoding from {:?}", s),
(ParseResult::Primitive(p1), p2) => p1 == p2,
(ParseResult::Pointer(t1), Encoding::Pointer(t2)) =>
StrEncoding::from_str_unchecked(t1) == t2,
(ParseResult::Array(l1, i1), Encoding::Array(l2, i2)) =>
l1 == l2 && StrEncoding::from_str_unchecked(i1) == i2,
(ParseResult::Struct(n1, f1), Encoding::Struct(n2, f2)) =>
n1 == n2 && StrEncodingsIter::new(f1).eq(f2),
(ParseResult::Union(n1, m1), Encoding::Union(n2, m2)) =>
n1 == n2 && StrEncodingsIter::new(m1).eq(m2),
_ => false,
}
}
}
impl<S: ?Sized> fmt::Display for StrEncoding<S> where S: AsRef<str> {
fn fmt(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
fmt::Display::fmt(self.as_str(), formatter)
}
}
impl<'a, S: ?Sized> PartialEq<Encoding<'a>> for StrEncoding<S>
where S: AsRef<str> {
fn eq(&self, other: &Encoding<'a>) -> bool {
self.eq_encoding(other)
}
}
#[cfg(test)]
mod tests {
use crate::Encoding;
use super::*;
#[test]
fn test_parsed_array() {
let a = StrEncoding::from_str_unchecked("[12i]");
assert!(a == &Encoding::Array(12, &Encoding::Int));
}
#[test]
fn test_parsed_struct() {
let parsed = StrEncoding::from_str_unchecked("{CGPoint=ci}");
let expected = Encoding::Struct("CGPoint", &[Encoding::Char, Encoding::Int]);
assert!(parsed == &expected);
}
}