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
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
use std::collections::{BTreeMap, HashSet};
use std::ffi::{OsString, OsStr};
use std::io::{self, Cursor, Read};
use std::path::{Path, PathBuf, Component, Components};
use std::sync::{Arc, Mutex, MutexGuard};
use std::cell::{RefCell, RefMut};
use abstract_ns::Name;
use dir_signature::v1::{Parser, Hashes, Header, Entry, ParseError, Emitter};
use dir_signature::{get_hash, HashType};
use {VPath};
use id::ImageId;
use failure_tracker::{SlowHostFailures};
#[derive(Debug, Clone)]
pub struct Location(Arc<Mutex<Pointer>>);
#[derive(Fail, Debug)]
pub enum IndexUpdateError {
#[fail(display="bad file path")]
BadPath,
#[fail(display="intermediate component is not a directory")]
NotADirectory,
#[fail(display="error reading file: {}", _0)]
Read(io::Error),
}
#[derive(Debug)]
pub(crate) struct Pointer {
pub(crate) vpath: VPath,
pub(crate) candidate_hosts: HashSet<Name>,
pub(crate) failures: SlowHostFailures,
}
#[derive(Debug, Clone)]
pub struct RawIndex {
pub(crate) data: Vec<u8>,
pub(crate) location: Location,
}
#[derive(Debug, Clone)]
enum Item {
Dir(BTreeMap<OsString, Item>),
RemoteFile {
exe: bool,
size: u64,
hashes: Hashes,
},
Link(PathBuf),
LocalFile {
exe: bool,
size: u64,
hashes: Hashes,
},
}
#[derive(Debug, Clone)]
pub struct MutableIndex {
header: Header,
root: BTreeMap<OsString, Item>,
location: Location,
block_size: u64,
hash_type: HashType,
}
pub trait SealedIndex {
fn get_location(&self) -> Location;
fn get_file(&self, path: &Path) -> Option<(bool, u64, Hashes)>;
}
pub trait MaterializedIndex: SealedIndex {
}
#[derive(Fail, Debug)]
#[fail(display="{}", _0)]
pub struct IndexParseError(IndexParseEnum);
#[derive(Fail, Debug)]
enum IndexParseEnum {
#[fail(display="IO error: {}", _0)]
Io(io::Error),
#[fail(display="ParseError: {}", _0)]
Parse(ParseError),
#[fail(display="Invalid path in index: {:?}", _0)]
InvalidPath(PathBuf),
#[fail(display="The following path conflicts with others: {:?}", _0)]
PathConflict(PathBuf),
#[doc(hidden)]
#[fail(display="unreachable")]
__Nonexhaustive,
}
fn fill_dirs<R>(root: &RefCell<BTreeMap<OsString, Item>>,
mut parser: Parser<R>)
-> Result<(), IndexParseEnum>
where R: io::BufRead
{
let mut dir = root.borrow_mut();
for entry in parser.iter() {
let entry = entry.map_err(IndexParseEnum::Parse)?;
match entry {
Entry::Dir(path) => {
drop(dir);
dir = root.borrow_mut();
for component in path.components() {
match component {
Component::RootDir => {}
Component::Normal(chunk) => {
let next = RefMut::map(dir, |dir| {
dir.entry(chunk.to_owned())
.or_insert_with(|| {
Item::Dir(BTreeMap::new())
})
});
let is_okay = matches!(*next, Item::Dir(..));
if is_okay {
dir = RefMut::map(next, |item| {
match *item {
Item::Dir(ref mut dir) => dir,
_ => unreachable!(),
}
});
} else {
return Err(IndexParseEnum::PathConflict(
path.to_path_buf()));
}
}
_ => return Err(IndexParseEnum::InvalidPath(
path.to_path_buf())),
}
}
}
Entry::File { path, exe, size, hashes } => {
dir.insert(path.file_name()
.ok_or_else(|| {
IndexParseEnum::InvalidPath(path.to_path_buf())
})?
.to_owned(),
Item::RemoteFile { exe, size, hashes });
}
Entry::Link(path, dest) => {
dir.insert(path.file_name()
.ok_or_else(|| {
IndexParseEnum::InvalidPath(path.to_path_buf())
})?
.to_owned(),
Item::Link(dest));
}
}
}
Ok(())
}
impl RawIndex {
pub fn into_mut(self) -> Result<MutableIndex, IndexParseError> {
self._into_mut()
.map_err(IndexParseError)
}
fn _into_mut(self) -> Result<MutableIndex, IndexParseEnum> {
let RawIndex {data, location} = self;
let parser = Parser::new(Cursor::new(&data))
.map_err(IndexParseEnum::Parse)?;
let header = parser.get_header();
let root = RefCell::new(BTreeMap::new());
fill_dirs(&root, parser)?;
let root = root.into_inner();
return Ok(MutableIndex {
hash_type: header.get_hash_type(),
block_size: header.get_block_size(),
header, root, location,
});
}
pub fn get_hash(&self) -> Result<ImageId, io::Error> {
get_hash(&mut Cursor::new(&self.data)).map(ImageId::from)
}
}
impl From<Pointer> for Location {
fn from(ptr: Pointer) -> Location {
Location(Arc::new(Mutex::new(ptr)))
}
}
impl Location {
pub(crate) fn lock(&self) -> MutexGuard<Pointer> {
self.0.lock().expect("pointer is not poisoned")
}
}
impl SealedIndex for MutableIndex {
fn get_location(&self) -> Location {
self.location.clone()
}
fn get_file(&self, path: &Path) -> Option<(bool, u64, Hashes)> {
let mut cur = &self.root;
for component in path.parent()?.components() {
cur = match component {
Component::RootDir => cur,
Component::Normal(item) => match *cur.get(item)? {
Item::Dir(ref next) => next,
_ => return None,
},
_ => return None,
}
}
match cur.get(path.file_name()?) {
Some(&Item::RemoteFile { ref hashes, exe, size, .. }) => {
Some((exe, size, hashes.clone()))
}
_ => None,
}
}
}
impl MaterializedIndex for MutableIndex {
}
impl MutableIndex {
pub fn insert_file<R, P>(&mut self, path: P, file: R, executable: bool)
-> Result<(), IndexUpdateError>
where R: Read, P: AsRef<Path>
{
use self::IndexUpdateError as E;
let path = path.as_ref();
if !path.is_absolute() {
return Err(E::BadPath);
}
let (fname, parent) = match (path.file_name(), path.parent()) {
(Some(f), Some(p)) => (f, p),
_ => return Err(E::BadPath),
};
let (size, hashes) = Hashes::hash_file(
self.hash_type, self.block_size, file,
).map_err(|e| E::Read(e))?;
_insert_file(&mut self.root, fname, parent.components(),
Item::LocalFile {
exe: executable, size, hashes,
})
}
pub fn to_raw_data(&self) -> Vec<u8> {
let mut buf = Vec::with_capacity(1024);
{
let mut emitter = Emitter::new(
self.hash_type, self.block_size, &mut buf,
).unwrap();
_emit_dir(&mut emitter, &Path::new("/"), &self.root).unwrap();
emitter.finish().unwrap();
}
return buf;
}
pub fn hash_type(&self) -> HashType {
self.hash_type
}
pub fn block_size(&self) -> u64 {
self.block_size
}
}
fn _emit_dir(emitter: &mut Emitter, path: &Path,
dir: &BTreeMap<OsString, Item>)
-> io::Result<()>
{
use self::Item::*;
if dir.is_empty() {
return Ok(());
}
emitter.start_dir(path)?;
for (key, item) in dir {
match *item {
Dir(..) => {},
| RemoteFile { exe, size, ref hashes }
| LocalFile { exe, size, ref hashes }
=> {
emitter.add_file(key, exe, size, hashes)?;
}
Link(ref dest) => {
emitter.add_symlink(key, dest)?;
}
}
}
for (key, item) in dir {
match *item {
Dir(ref subdir) => {
let path = path.join(key);
_emit_dir(emitter, &path, subdir)?;
},
_ => {}
}
}
Ok(())
}
fn _insert_file(dir: &mut BTreeMap<OsString, Item>,
fname: &OsStr, mut components: Components, item: Item)
-> Result<(), IndexUpdateError>
{
use self::IndexUpdateError as E;
if let Some(component) = components.next() {
match component {
Component::RootDir => _insert_file(dir, fname, components, item),
Component::Normal(name) => {
let e = dir.entry(name.to_owned())
.or_insert_with(|| Item::Dir(BTreeMap::new()));
match *e {
Item::Dir(ref mut next) => {
_insert_file(next, fname, components, item)
}
_ => return Err(E::NotADirectory),
}
},
_ => return Err(E::BadPath),
}
} else {
dir.insert(fname.to_owned(), item);
Ok(())
}
}
#[cfg(test)]
mod test {
use std::sync::{Arc, Mutex};
use std::collections::HashSet;
use failure_tracker::SlowHostFailures;
use VPath;
use super::{Location, Pointer, RawIndex};
const EXAMPLE: &str = "\
DIRSIGNATURE.v1 sha512/256 block_size=32768
/
hello.txt f 6 a79eef66019bfb9a41f798f2cff2d2d36ed294cc3f96bf53bbfc5192ebe60192
test.txt f 0
/subdir
.hidden f 7 6d7f5f9804ee4dbc1ff7e12c7665387e0119e8ea629996c52d38b75c12ad0acf
file.txt f 10 0119865c765e02554f6fc5a06fa76aa92c590c09225775c092144079f9964899
552ca5730ee95727e890a2155c88609d244624034ff70de264cf88220d11d6df
";
#[test]
fn roundtrip() {
let test = RawIndex {
data: EXAMPLE.as_bytes().to_owned(),
location: Location(Arc::new(Mutex::new(Pointer {
vpath: VPath::from("/somewhere/path"),
candidate_hosts: HashSet::new(),
failures: SlowHostFailures::new_slow(),
}))),
};
let idx = test.into_mut().unwrap();
let data = idx.to_raw_data();
assert_eq!(String::from_utf8(data).unwrap(), EXAMPLE);
}
}