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
|
#![allow(unused)]
use libipld::cbor::DagCborCodec;
use libipld::codec::Codec;
use libipld::ipld;
use libipld::Cid;
use super::error::Error;
/// A car header.
#[derive(Debug, Clone, PartialEq, Eq)]
#[non_exhaustive]
pub enum CarHeader {
V1(CarHeaderV1),
}
impl CarHeader {
pub fn new_v1(roots: Vec<Cid>) -> Self {
Self::V1(roots.into())
}
pub fn decode(buffer: &[u8]) -> Result<Self, Error> {
let header: CarHeaderV1 = DagCborCodec
.decode(buffer)
.map_err(|e| Error::Parsing(e.to_string()))?;
if header.roots.is_empty() {
return Err(Error::Parsing("empty CAR file".to_owned()));
}
if header.version != 1 {
return Err(Error::InvalidFile(
"Only CAR file version 1 is supported".to_string(),
));
}
Ok(CarHeader::V1(header))
}
pub fn encode(&self) -> Result<Vec<u8>, Error> {
match self {
CarHeader::V1(ref header) => {
let res = DagCborCodec.encode(header)?;
Ok(res)
}
}
}
pub fn roots(&self) -> &[Cid] {
match self {
CarHeader::V1(header) => &header.roots,
}
}
pub fn version(&self) -> u64 {
match self {
CarHeader::V1(_) => 1,
}
}
}
/// CAR file header version 1.
#[derive(Debug, Clone, Default, libipld::DagCbor, PartialEq, Eq)]
pub struct CarHeaderV1 {
#[ipld]
pub roots: Vec<Cid>,
#[ipld]
pub version: u64,
}
impl CarHeaderV1 {
/// Creates a new CAR file header
pub fn new(roots: Vec<Cid>, version: u64) -> Self {
Self { roots, version }
}
}
impl From<Vec<Cid>> for CarHeaderV1 {
fn from(roots: Vec<Cid>) -> Self {
Self { roots, version: 1 }
}
}
#[cfg(test)]
mod tests {
use libipld::cbor::DagCborCodec;
use libipld::codec::{Decode, Encode};
use multihash::MultihashDigest;
use super::*;
#[test]
fn symmetric_header_v1() {
let digest = multihash::Code::Blake2b256.digest(b"test");
let cid = Cid::new_v1(DagCborCodec.into(), digest);
let header = CarHeaderV1::from(vec![cid]);
let mut bytes = Vec::new();
header.encode(DagCborCodec, &mut bytes).unwrap();
assert_eq!(
CarHeaderV1::decode(DagCborCodec, &mut std::io::Cursor::new(&bytes)).unwrap(),
header
);
}
}
|