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
use std::ascii::AsciiExt;
use rustc_serialize::base64::FromBase64;
use encoding::label::encoding_from_whatwg_label;
use encoding::DecoderTrap;
pub fn decode_rfc2047(s: &str) -> Option<String> {
let parts: Vec<&str> = s.split('?').collect();
if parts.len() != 5 || parts[0] != "=" || parts[4] != "=" {
None
} else {
let charset = parts[1].to_ascii_lowercase();
let encoding = parts[2].to_ascii_lowercase();
let content = parts[3];
let bytes = match &encoding[..] {
"q" => decode_q_encoding(content),
"b" => decode_base64_encoding(content),
_ => panic!("Unknown encoding type"),
};
let decoder = encoding_from_whatwg_label(&charset[..]);
match (bytes, decoder) {
(Ok(b), Some(d)) => {
d.decode(&b, DecoderTrap::Replace).ok()
}
_ => None,
}
}
}
pub fn decode_q_encoding(s: &str) -> Result<Vec<u8>, String> {
let mut result = Vec::new();
let mut char_iter = s.chars();
loop {
match char_iter.next() {
Some('=') => {
let mut hex_string = String::new();
for _ in 0..2 {
let hex_digit_char = char_iter.next().unwrap();
hex_string.push(hex_digit_char);
};
let hex_string_slice = &hex_string[..];
if hex_string_slice != "\r\n" {
match u8::from_str_radix(hex_string_slice, 16) {
Ok(char_val) => { result.push(char_val) },
Err(e) => { return Err(format!("'{}' is not a hex number: {}", hex_string, e)) },
}
}
},
Some(c) => {
result.push(c as u8);
},
None => break,
};
};
Ok(result)
}
fn decode_base64_encoding(s: &str) -> Result<Vec<u8>, String> {
match s.from_base64() {
Ok(bytes) => Ok(bytes),
Err(_) => Err("Failed to base64 decode".to_string()),
}
}
#[cfg(test)]
mod tests {
use super::*;
struct DecodeTest<'s> {
input: &'s str,
output: &'s str,
}
#[test]
fn test_decode() {
let tests = [
DecodeTest {
input: "=?ISO-8859-1?Q?Test=20text?=",
output: "Test text"
},
DecodeTest {
input: "=?ISO-8859-1?b?VGVzdCB0ZXh0?=",
output: "Test text"
},
DecodeTest {
input: "=?utf-8?b?44GT44KT44Gr44Gh44Gv44CC?=",
output: "こんにちは。"
},
];
for t in tests.iter() {
assert_eq!(decode_rfc2047(t.input).unwrap(), t.output.to_string());
}
}
#[test]
fn test_decode_failure() {
let tests = [
"=?ISO-8859-1?b?-?=",
"=?Doesn't end with equals",
"=?NOCHARSET?q?foo?=",
];
for t in tests.iter() {
println!("{}", t);
assert!(decode_rfc2047(*t).is_none());
}
}
}