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
use crc16;
use nom::{be_u16, IResult};
use std::io::Write;
use std::str::FromStr;
#[derive(Debug, PartialEq)]
pub struct File {
pub name: String,
pub body: Vec<u8>,
}
impl File {
pub fn new(name: &str, body: &[u8]) -> Self {
File {
name: name.to_string(),
body: body.to_vec(),
}
}
pub fn parse(input: &[u8]) -> IResult<&[u8], File> {
let (input, _) = take_until_and_consume!(input, "GU")?;
let (input, name_length) = map_res!(input, take_str!(3), usize::from_str)?;
let (input, body_length) = map_res!(input, take_str!(6), usize::from_str)?;
let (input, name) = take_str!(input, name_length)?;
let name = String::from(name);
let (input, body) = take!(input, body_length)?;
let body = Vec::from(body);
let (input, crc) = be_u16(input)?;
println!("TODO: check crc: {}", crc);
Ok((input, File { name, body }))
}
pub fn encode(&self) -> Vec<u8> {
let mut output: Vec<u8> = Vec::new();
let name = self.name.as_bytes();
write!(&mut output, "GU{:03}{:06}", name.len(), self.body.len(),)
.expect("Problem encoding lengths");
output.extend_from_slice(&name);
output.extend_from_slice(&self.body);
let crc = crc16::State::<crc16::XMODEM>::calculate(&output);
output.push((crc >> 8) as u8);
output.push(crc as u8);
output
}
}
#[cfg(test)]
mod tests {
use super::File;
#[test]
fn it_parses() {
assert_eq!(
Ok((
&b"extra"[..],
File {
name: String::from("test.txt"),
body: b"Hello World\n".to_vec(),
}
)),
File::parse(b"GU008000012test.txtHello World\n\x42\x24extra")
);
}
#[test]
fn it_encodes() {
let file = File {
name: String::from("test.txt"),
body: b"Hello World\n".to_vec(),
};
let expected: &[u8] = b"GU008000012test.txtHello World\n\x15\xac";
let actual: &[u8] = &file.encode();
assert_eq!(expected, actual);
}
#[test]
fn it_roundtrips() {
let file = File::new("test.txt", b"Hello World\n");
let encoded = file.encode();
let expected = Ok((&b""[..], file));
let actual = File::parse(&encoded);
assert_eq!(expected, actual);
}
}