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
use indexmap::IndexMap;
use nom::{
bytes::complete::{tag, take},
combinator::{map_opt, verify},
multi::fold_many_m_n,
number::complete::{le_u16, le_u32, le_u8},
sequence::tuple,
IResult,
};
use std::{cell::RefCell, str};
use super::{ContainerFile, Section};
fn magic(b: &[u8]) -> IResult<&[u8], &[u8]> {
tag(b"CCFF")(b)
}
pub fn container_file(b: &[u8]) -> IResult<&[u8], ContainerFile> {
let (rest, (_, abiver, filety, num_sections)) = tuple((magic, le_u16, le_u8, le_u8))(b)?;
let sections = RefCell::new(IndexMap::with_capacity(num_sections as usize));
let (rest, _) = fold_many_m_n(
num_sections as usize,
num_sections as usize,
map_opt(
verify(section_header, |(sym, _)| {
!sections.borrow().contains_key(sym)
}),
|(sym, mut sec)| {
let start = sec.offset? as usize;
let end = start + sec.data.capacity();
let data = b.get(start..end)?;
sec.data.extend_from_slice(data);
Some((sym, sec))
},
),
|| (),
|_, (sym, sec)| {
sections.borrow_mut().insert(sym, sec);
},
)(rest)?;
let cf = ContainerFile {
abiver,
filety,
sections: sections.into_inner(),
};
Ok((rest, cf))
}
fn section_header(b: &[u8]) -> IResult<&[u8], (String, Section)> {
let (rest, (stype, flags, offset, size, name_len)) =
tuple((le_u8, le_u32, le_u32, le_u32, le_u8))(b)?;
let section = Section {
data: Vec::with_capacity(size as usize),
stype,
flags,
offset: Some(offset),
};
let (rest, name) = verify(
map_opt(take(name_len as usize), |x: &[u8]| {
x.is_ascii().then(|| {
let s = unsafe { str::from_utf8_unchecked(x) };
s.to_owned()
})
}),
|s: &str| s.chars().all(|c| c.is_ascii_graphic()),
)(rest)?;
Ok((rest, (name, section)))
}