_fastboot_c_rustc_static/
lib.rs1use std::ffi::CStr;
6use std::future::Future;
7use std::os::raw::c_char;
8use std::pin::Pin;
9
10use anyhow::Error;
11
12use fuchsia_async::LocalExecutor;
13use installer::{BootloaderType, InstallationPaths};
14use recovery_util_block::BlockDevice;
15use zx::Status;
16
17fn to_string(c_str: *const c_char) -> Option<String> {
22 if c_str.is_null() {
23 return None;
24 }
25
26 unsafe { CStr::from_ptr(c_str) }.to_str().map(String::from).ok()
29}
30
31fn to_status(error: anyhow::Error) -> Status {
34 log::warn!("{error}");
37 Status::INTERNAL
38}
39
40#[no_mangle]
62pub extern "C" fn install_from_usb(source: *const c_char, destination: *const c_char) -> i32 {
63 log::trace!("Starting install_from_usb()");
70
71 let source = to_string(source);
80 let destination = to_string(destination);
81 let func = move || {
82 LocalExecutor::new().run_singlethreaded(install_from_usb_internal(
83 source,
84 destination,
85 &Dependencies::default(),
86 ))
87 };
88 let thread_result = std::thread::spawn(func).join();
89 log::trace!("install_from_usb() result = {thread_result:?}");
90
91 match thread_result {
92 Ok(result) => Status::from(result).into_raw(),
93 Err(thread_panic) => {
94 log::error!("install_from_usb thread panic: {thread_panic:?}");
95 Status::INTERNAL.into_raw()
96 }
97 }
98}
99
100type BoxedFuture<'a, T> = Pin<Box<dyn Future<Output = T> + 'a>>;
112
113struct Dependencies {
114 do_install: Box<dyn Fn(InstallationPaths) -> BoxedFuture<'static, Result<(), Error>>>,
115 find_install_source: Box<
116 dyn for<'a> Fn(
117 &'a Vec<BlockDevice>,
118 BootloaderType,
119 ) -> BoxedFuture<'a, Result<&'a BlockDevice, Error>>,
120 >,
121 get_block_devices: Box<dyn Fn() -> BoxedFuture<'static, Result<Vec<BlockDevice>, Error>>>,
122}
123
124impl Dependencies {
125 fn default() -> Self {
127 Self {
128 do_install: Box::new(move |a| Box::pin(installer::do_install(a, &|_| {}))),
131 find_install_source: Box::new(move |a, b| {
132 Box::pin(installer::find_install_source(a, b))
133 }),
134 get_block_devices: Box::new(move || Box::pin(recovery_util_block::get_block_devices())),
135 }
136 }
137}
138
139async fn install_from_usb_internal(
141 source: Option<String>,
142 destination: Option<String>,
143 dependencies: &Dependencies,
144) -> Result<(), Status> {
145 log::trace!(
146 "Starting install_from_usb_internal(), source = {source:?}, dest = {destination:?}"
147 );
148
149 let installation_paths =
150 get_installation_paths(source.as_deref(), destination.as_deref(), dependencies).await?;
151 log::trace!("Installation paths: {installation_paths:?}");
152
153 (dependencies.do_install)(installation_paths).await.map_err(to_status)
154}
155
156async fn get_installation_paths(
158 requested_source: Option<&str>,
159 requested_destination: Option<&str>,
160 dependencies: &Dependencies,
161) -> Result<InstallationPaths, Status> {
162 let bootloader_type = BootloaderType::Efi;
167
168 log::trace!("Looking for block devices");
169 let block_devices = (dependencies.get_block_devices)().await.map_err(to_status)?;
170 log::trace!("Got block devices {block_devices:?}");
171
172 let install_source = match requested_source {
173 Some(device_path) => block_devices
175 .iter()
176 .find(|d| d.is_disk() && d.topo_path == device_path)
177 .ok_or(Err(Status::NOT_FOUND))?,
178 None => (dependencies.find_install_source)(&block_devices, bootloader_type)
180 .await
181 .map_err(to_status)?,
182 };
183
184 let install_filter = |d: &&BlockDevice| {
185 d.is_disk()
186 && match requested_destination {
187 Some(device_path) => d.topo_path == device_path,
189 None => *d != install_source,
191 }
192 };
193 let mut install_iter = block_devices.iter().filter(install_filter);
194 let install_target = install_iter.next().ok_or(Err(Status::NOT_FOUND))?;
195 if install_iter.next().is_some() {
198 return Err(Status::INVALID_ARGS);
199 }
200
201 let paths = InstallationPaths {
202 install_source: Some(install_source.clone()),
203 install_target: Some(install_target.clone()),
204 bootloader_type: Some(bootloader_type),
205 install_destinations: Vec::new(),
207 available_disks: block_devices,
208 };
209 log::trace!("Found installation paths: {paths:?}");
210
211 Ok(paths)
212}
213
214#[cfg(test)]
215mod tests {
216 use super::*;
217
218 use anyhow::anyhow;
219 use std::ffi::CString;
220 use std::ptr::null;
221
222 impl Dependencies {
223 fn test() -> Self {
225 Self {
226 do_install: Box::new(move |_| Box::pin(async { Ok(()) })),
227 find_install_source: Box::new(move |a, b| Box::pin(fake_find_install_source(a, b))),
228 get_block_devices: Box::new(move || Box::pin(fake_get_block_devices())),
229 }
230 }
231
232 fn test_3_disks() -> Self {
234 let mut deps = Self::test();
235 deps.get_block_devices = Box::new(move || Box::pin(fake_get_block_devices_3_disks()));
236 deps
237 }
238 }
239
240 async fn fake_get_block_devices() -> Result<Vec<BlockDevice>, Error> {
242 Ok(vec![
243 BlockDevice {
245 topo_path: String::from("/dev/sys/platform/foo/block"),
246 class_path: String::from(""),
247 size: 0,
248 },
249 BlockDevice {
250 topo_path: String::from("/dev/sys/platform/bar/block"),
251 class_path: String::from(""),
252 size: 0,
253 },
254 BlockDevice {
256 topo_path: String::from("/dev/sys/platform/foo/block/part-000"),
257 class_path: String::from(""),
258 size: 0,
259 },
260 BlockDevice {
261 topo_path: String::from("/dev/sys/platform/foo/block/part-001"),
262 class_path: String::from(""),
263 size: 0,
264 },
265 BlockDevice {
266 topo_path: String::from("/dev/sys/platform/bar/block/part-000"),
267 class_path: String::from(""),
268 size: 0,
269 },
270 BlockDevice {
271 topo_path: String::from("/dev/sys/platform/bar/block/part-001"),
272 class_path: String::from(""),
273 size: 0,
274 },
275 ])
276 }
277
278 async fn fake_get_block_devices_3_disks() -> Result<Vec<BlockDevice>, Error> {
281 let mut devices = fake_get_block_devices().await.unwrap();
282 devices.append(&mut vec![
283 BlockDevice {
284 topo_path: String::from("/dev/sys/platform/baz/block"),
285 class_path: String::from(""),
286 size: 0,
287 },
288 BlockDevice {
289 topo_path: String::from("/dev/sys/platform/baz/block/part-000"),
290 class_path: String::from(""),
291 size: 0,
292 },
293 BlockDevice {
294 topo_path: String::from("/dev/sys/platform/baz/block/part-001"),
295 class_path: String::from(""),
296 size: 0,
297 },
298 ]);
299 Ok(devices)
300 }
301
302 async fn fake_find_install_source(
305 block_devices: &Vec<BlockDevice>,
306 _: BootloaderType,
307 ) -> Result<&BlockDevice, Error> {
308 Ok(&block_devices[0])
309 }
310
311 #[fuchsia::test]
312 fn test_to_string() {
313 let c_string = CString::new("test string").unwrap();
314 assert_eq!(to_string(c_string.as_ptr()).unwrap(), "test string");
315 }
316
317 #[fuchsia::test]
318 fn test_to_string_null() {
319 assert!(to_string(null()).is_none());
320 }
321
322 #[fuchsia::test]
323 fn test_to_status() {
324 assert_eq!(to_status(anyhow!("expected test error")), Status::INTERNAL);
325 }
326
327 #[fuchsia_async::run_singlethreaded(test)]
328 async fn test_get_installation_paths() {
329 let deps = Dependencies::test();
330 let fake_devices = (deps.get_block_devices)().await.unwrap();
331
332 let paths = get_installation_paths(None, None, &deps).await.unwrap();
333 assert_eq!(
334 paths,
335 InstallationPaths {
336 install_source: Some(fake_devices[0].clone()),
337 install_target: Some(fake_devices[1].clone()),
339 bootloader_type: Some(BootloaderType::Efi),
340 install_destinations: Vec::new(),
341 available_disks: fake_devices,
342 }
343 );
344 }
345
346 #[fuchsia_async::run_singlethreaded(test)]
347 async fn test_get_installation_paths_request_source() {
348 let deps = Dependencies::test();
349 let fake_devices = (deps.get_block_devices)().await.unwrap();
350
351 let paths =
353 get_installation_paths(Some(&fake_devices[1].topo_path), None, &deps).await.unwrap();
354 assert_eq!(
355 paths,
356 InstallationPaths {
357 install_source: Some(fake_devices[1].clone()),
358 install_target: Some(fake_devices[0].clone()),
359 bootloader_type: Some(BootloaderType::Efi),
360 install_destinations: Vec::new(),
361 available_disks: fake_devices,
362 }
363 );
364 }
365
366 #[fuchsia_async::run_singlethreaded(test)]
367 async fn test_get_installation_paths_request_target() {
368 let deps = Dependencies::test();
369 let fake_devices = (deps.get_block_devices)().await.unwrap();
370
371 let paths =
373 get_installation_paths(None, Some(&fake_devices[1].topo_path), &deps).await.unwrap();
374 assert_eq!(
375 paths,
376 InstallationPaths {
377 install_source: Some(fake_devices[0].clone()),
378 install_target: Some(fake_devices[1].clone()),
379 bootloader_type: Some(BootloaderType::Efi),
380 install_destinations: Vec::new(),
381 available_disks: fake_devices,
382 }
383 );
384 }
385
386 #[fuchsia_async::run_singlethreaded(test)]
387 async fn test_get_installation_paths_request_both() {
388 let deps = Dependencies::test_3_disks();
389 let fake_devices = (deps.get_block_devices)().await.unwrap();
390
391 let paths = get_installation_paths(
392 Some(&fake_devices[1].topo_path),
393 Some(&fake_devices[6].topo_path),
395 &deps,
396 )
397 .await
398 .unwrap();
399
400 assert_eq!(
401 paths,
402 InstallationPaths {
403 install_source: Some(fake_devices[1].clone()),
404 install_target: Some(fake_devices[6].clone()),
405 bootloader_type: Some(BootloaderType::Efi),
406 install_destinations: Vec::new(),
407 available_disks: fake_devices,
408 }
409 );
410 }
411
412 #[fuchsia_async::run_singlethreaded(test)]
413 async fn test_get_installation_paths_ambiguous_target() {
414 let deps = Dependencies::test_3_disks();
415 let fake_devices = (deps.get_block_devices)().await.unwrap();
416
417 assert_eq!(
419 get_installation_paths(Some(&fake_devices[0].topo_path), None, &deps,).await,
420 Err(Status::INVALID_ARGS)
421 );
422 }
423
424 #[fuchsia_async::run_singlethreaded(test)]
425 async fn test_install_from_usb() {
426 let deps = Dependencies::test();
427
428 assert!(install_from_usb_internal(None, None, &deps).await.is_ok());
429 }
430
431 #[fuchsia::test]
432 fn test_install_from_usb_fail_sync() {
433 let source = CString::new("foo").unwrap();
436 let dest = CString::new("bar").unwrap();
437 assert!(install_from_usb(source.as_ptr(), dest.as_ptr()) != Status::OK.into_raw());
438 }
439
440 #[fuchsia::test]
441 async fn test_install_from_usb_fail_async() {
442 let source = CString::new("foo").unwrap();
445 let dest = CString::new("bar").unwrap();
446 assert!(install_from_usb(source.as_ptr(), dest.as_ptr()) != Status::OK.into_raw());
447 }
448}