system_image/
path_hash_mapping.rs1use crate::errors::PathHashMappingError;
6use fuchsia_hash::Hash;
7use fuchsia_pkg::PackagePath;
8use std::io::{self, BufRead as _};
9use std::marker::PhantomData;
10use std::str::FromStr as _;
11
12#[derive(Debug, PartialEq, Eq, Clone, Copy)]
14pub struct Static;
15
16#[derive(Debug, PartialEq, Eq, Clone, Copy)]
18pub struct Bootfs;
19
20pub type StaticPackages = PathHashMapping<Static>;
21
22#[derive(Debug, PartialEq, Eq)]
26pub struct PathHashMapping<T> {
27 contents: Vec<(PackagePath, Hash)>,
28 phantom: PhantomData<T>,
29}
30
31impl<T> PathHashMapping<T> {
32 pub fn deserialize(reader: impl io::Read) -> Result<Self, PathHashMappingError> {
35 let reader = io::BufReader::new(reader);
36 let mut contents = vec![];
37 for line in reader.lines() {
38 let line = line?;
39 let i = line.rfind('=').ok_or_else(|| PathHashMappingError::EntryHasNoEqualsSign {
40 entry: line.clone(),
41 })?;
42 let hash = Hash::from_str(&line[i + 1..])?;
43 let path = line[..i].parse()?;
44 contents.push((path, hash));
45 }
46 Ok(Self { contents, phantom: PhantomData })
47 }
48
49 pub fn contents(&self) -> impl ExactSizeIterator<Item = &(PackagePath, Hash)> {
51 self.contents.iter()
52 }
53
54 pub fn into_contents(self) -> impl ExactSizeIterator<Item = (PackagePath, Hash)> {
56 self.contents.into_iter()
57 }
58
59 pub fn hashes(&self) -> impl Iterator<Item = &Hash> {
61 self.contents.iter().map(|(_, hash)| hash)
62 }
63
64 pub fn hash_for_package(&self, path: &PackagePath) -> Option<Hash> {
66 self.contents.iter().find_map(|(n, hash)| if n == path { Some(*hash) } else { None })
67 }
68
69 pub fn from_entries(entries: Vec<(PackagePath, Hash)>) -> Self {
71 Self { contents: entries, phantom: PhantomData }
72 }
73
74 pub fn serialize(&self, mut writer: impl io::Write) -> Result<(), PathHashMappingError> {
76 for entry in self.contents.iter() {
77 writeln!(&mut writer, "{}={}", entry.0, entry.1)?;
78 }
79 Ok(())
80 }
81}
82
83#[cfg(test)]
84mod tests {
85 use super::*;
86 use assert_matches::assert_matches;
87 use fuchsia_pkg::test::random_package_path;
88 use proptest::prelude::*;
89
90 #[test]
91 fn deserialize_empty_file() {
92 let empty = Vec::new();
93 let static_packages = StaticPackages::deserialize(empty.as_slice()).unwrap();
94 assert_eq!(static_packages.hashes().count(), 0);
95 }
96
97 #[test]
98 fn deserialize_valid_file_list_hashes() {
99 let bytes =
100 "name/variant=0000000000000000000000000000000000000000000000000000000000000000\n\
101 other-name/other-variant=1111111111111111111111111111111111111111111111111111111111111111\n"
102 .as_bytes();
103 let static_packages = StaticPackages::deserialize(bytes).unwrap();
104 assert_eq!(
105 static_packages.hashes().cloned().collect::<Vec<_>>(),
106 vec![
107 "0000000000000000000000000000000000000000000000000000000000000000".parse().unwrap(),
108 "1111111111111111111111111111111111111111111111111111111111111111".parse().unwrap()
109 ]
110 );
111 }
112
113 #[test]
114 fn deserialze_rejects_invalid_package_path() {
115 let bytes =
116 "name/=0000000000000000000000000000000000000000000000000000000000000000\n".as_bytes();
117 let res = StaticPackages::deserialize(bytes);
118 assert_matches!(res, Err(PathHashMappingError::ParsePackagePath(_)));
119 }
120
121 #[test]
122 fn deserialize_rejects_invalid_hash() {
123 let bytes = "name/variant=invalid-hash\n".as_bytes();
124 let res = StaticPackages::deserialize(bytes);
125 assert_matches!(res, Err(PathHashMappingError::ParseHash(_)));
126 }
127
128 #[test]
129 fn deserialize_rejects_missing_equals() {
130 let bytes =
131 "name/variant~0000000000000000000000000000000000000000000000000000000000000000\n"
132 .as_bytes();
133 let res = StaticPackages::deserialize(bytes);
134 assert_matches!(res, Err(PathHashMappingError::EntryHasNoEqualsSign { .. }));
135 }
136
137 #[test]
138 fn from_entries_serialize() {
139 let static_packages = StaticPackages::from_entries(vec![(
140 PackagePath::from_name_and_variant("name0".parse().unwrap(), "0".parse().unwrap()),
141 "0000000000000000000000000000000000000000000000000000000000000000".parse().unwrap(),
142 )]);
143
144 let mut serialized = vec![];
145 static_packages.serialize(&mut serialized).unwrap();
146 assert_eq!(
147 serialized,
148 &b"name0/0=0000000000000000000000000000000000000000000000000000000000000000\n"[..]
149 );
150 }
151
152 #[test]
153 fn hash_for_package_success() {
154 let bytes =
155 "name/variant=0000000000000000000000000000000000000000000000000000000000000000\n\
156 "
157 .as_bytes();
158 let static_packages = StaticPackages::deserialize(bytes).unwrap();
159 let res = static_packages.hash_for_package(&PackagePath::from_name_and_variant(
160 "name".parse().unwrap(),
161 "variant".parse().unwrap(),
162 ));
163 assert_eq!(
164 res,
165 Some(
166 "0000000000000000000000000000000000000000000000000000000000000000".parse().unwrap(),
167 )
168 );
169 }
170
171 #[test]
172 fn hash_for_missing_package_is_none() {
173 let bytes =
174 "name/variant=0000000000000000000000000000000000000000000000000000000000000000\n\
175 "
176 .as_bytes();
177 let static_packages = StaticPackages::deserialize(bytes).unwrap();
178 let res = static_packages.hash_for_package(&PackagePath::from_name_and_variant(
179 "nope".parse().unwrap(),
180 "variant".parse().unwrap(),
181 ));
182 assert_eq!(res, None);
183 }
184
185 prop_compose! {
186 fn random_hash()(s in "[A-Fa-f0-9]{64}") -> Hash {
187 s.parse().unwrap()
188 }
189 }
190
191 prop_compose! {
192 fn random_static_packages()
193 (vec in prop::collection::vec(
194 (random_package_path(), random_hash()), 0..4)
195 ) -> PathHashMapping<Static> {
196 StaticPackages::from_entries(vec)
197 }
198 }
199
200 proptest! {
201 #[test]
202 fn serialize_deserialize_identity(static_packages in random_static_packages()) {
203 let mut serialized = vec![];
204 static_packages.serialize(&mut serialized).unwrap();
205 let deserialized = StaticPackages::deserialize(serialized.as_slice()).unwrap();
206 prop_assert_eq!(
207 static_packages,
208 deserialized
209 );
210 }
211 }
212}