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
use nom::{le_u16 as parse_le_u16, le_u32 as parse_le_u32, le_u8 as parse_u8};
use nom::IResult;
use crate::parsers::basic_data_types::{parse_le_ufixed8_p8, parse_rect};
use swf_tree as ast;
pub fn parse_compression_method(input: &[u8]) -> IResult<&[u8], ast::CompressionMethod> {
alt!(
input,
tag!("FWS") => {|_| ast::CompressionMethod::None}
| tag!("CWS") => {|_| ast::CompressionMethod::Deflate}
| tag!("ZWS") => {|_| ast::CompressionMethod::Lzma}
)
}
pub fn parse_swf_signature(input: &[u8]) -> IResult<&[u8], ast::SwfSignature> {
do_parse!(
input,
compression_method: parse_compression_method >>
swf_version: parse_u8 >>
uncompressed_file_length: map!(parse_le_u32, |x| x as usize) >>
(ast::SwfSignature {
compression_method: compression_method,
swf_version: swf_version,
uncompressed_file_length: uncompressed_file_length,
})
)
}
pub fn parse_header(input: &[u8], swf_version: u8) -> IResult<&[u8], ast::Header> {
do_parse!(
input,
frame_size: parse_rect >>
frame_rate: parse_le_ufixed8_p8 >>
frame_count: parse_le_u16 >>
(ast::Header {
swf_version: swf_version,
frame_size: frame_size,
frame_rate: frame_rate,
frame_count: frame_count,
})
)
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_parse_compression_method() {
assert_eq!(parse_compression_method(&b"FWS"[..]), Ok((&[][..], ast::CompressionMethod::None)));
assert_eq!(parse_compression_method(&b"CWS"[..]), Ok((&[][..], ast::CompressionMethod::Deflate)));
assert_eq!(parse_compression_method(&b"ZWS"[..]), Ok((&[][..], ast::CompressionMethod::Lzma)));
}
#[test]
fn test_parse_swf_header_signature() {
assert_eq!(
parse_swf_signature(&b"FWS\x0f\x08\x00\x00\x00"[..]),
Ok((
&[][..],
ast::SwfSignature {
compression_method: ast::CompressionMethod::None,
swf_version: 15u8,
uncompressed_file_length: 8,
}
))
);
assert_eq!(
parse_swf_signature(&b"CWS\x0f\x08\x00\x00\x00"[..]),
Ok((
&[][..],
ast::SwfSignature {
compression_method: ast::CompressionMethod::Deflate,
swf_version: 15u8,
uncompressed_file_length: 8,
}
))
);
assert_eq!(
parse_swf_signature(&b"\x43\x57\x53\x08\xac\x05\x00\x00"[..]),
Ok((
&[][..],
ast::SwfSignature {
compression_method: ast::CompressionMethod::Deflate,
swf_version: 8u8,
uncompressed_file_length: 1452,
}
))
);
}
}