system_update_committer/
reboot.rs

1// Copyright 2021 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5use anyhow::{anyhow, Context};
6use fidl_fuchsia_hardware_power_statecontrol::{
7    AdminProxy as PowerStateControlProxy, RebootOptions, RebootReason2,
8};
9use fuchsia_async as fasync;
10use log::error;
11use zx::Status;
12
13/// Waits for a timer to fire and then reboots the system, logging errors instead of failing.
14pub(super) async fn wait_and_reboot(timer: fasync::Timer, proxy: &PowerStateControlProxy) {
15    let () = timer.await;
16    if let Err(e) = async move {
17        proxy
18            .perform_reboot(&RebootOptions {
19                reasons: Some(vec![RebootReason2::RetrySystemUpdate]),
20                ..Default::default()
21            })
22            .await
23            .context("while performing reboot call")?
24            .map_err(Status::from_raw)
25            .context("reboot responded with")
26    }
27    .await
28    {
29        error!("error initiating reboot: {:#}", anyhow!(e));
30    }
31}
32
33#[cfg(test)]
34mod tests {
35    use super::*;
36    use fuchsia_sync::Mutex;
37    use futures::channel::oneshot;
38    use futures::pin_mut;
39    use futures::task::Poll;
40    use mock_reboot::MockRebootService;
41    use std::sync::Arc;
42    use std::time::Duration;
43
44    #[test]
45    fn test_wait_and_reboot_success() {
46        let mut executor = fasync::TestExecutor::new_with_fake_time();
47
48        // Create a mock reboot service.
49        let (sender, recv) = oneshot::channel();
50        let sender = Arc::new(Mutex::new(Some(sender)));
51        let mock = Arc::new(MockRebootService::new(Box::new(move |options: RebootOptions| {
52            sender.lock().take().unwrap().send(options).unwrap();
53            Ok(())
54        })));
55        let proxy = mock.spawn_reboot_service();
56
57        // Prepare futures to call reboot and receive the reboot request.
58        let timer_duration = 5;
59        let reboot_fut =
60            wait_and_reboot(fasync::Timer::new(Duration::from_secs(timer_duration)), &proxy);
61        pin_mut!(reboot_fut);
62        pin_mut!(recv);
63
64        // Set the time so that the timer is still going, so we should neither call reboot nor
65        // observe the reboot service was called.
66        executor.set_fake_time(fasync::MonotonicInstant::after(
67            Duration::from_secs(timer_duration - 1).into(),
68        ));
69        assert!(!executor.wake_expired_timers());
70        match executor.run_until_stalled(&mut reboot_fut) {
71            Poll::Ready(res) => panic!("future unexpectedly completed with response: {res:?}"),
72            Poll::Pending => {}
73        };
74        match executor.run_until_stalled(&mut recv) {
75            Poll::Ready(res) => panic!("future unexpectedly completed with response: {res:?}"),
76            Poll::Pending => {}
77        };
78
79        // Once the timer completes, we should complete the reboot call and observe we called the
80        // reboot service with the given reboot reason.
81        executor.set_fake_time(fasync::MonotonicInstant::after(Duration::from_secs(1).into()));
82        assert!(executor.wake_expired_timers());
83        match executor.run_until_stalled(&mut recv) {
84            Poll::Ready(res) => panic!("future unexpectedly completed with response: {res:?}"),
85            Poll::Pending => {}
86        };
87        match executor.run_until_stalled(&mut reboot_fut) {
88            Poll::Ready(_) => {}
89            Poll::Pending => panic!("future unexpectedly pending"),
90        };
91        match executor.run_until_stalled(&mut recv) {
92            Poll::Ready(res) => assert_eq!(
93                res,
94                Ok(RebootOptions {
95                    reasons: Some(vec![RebootReason2::RetrySystemUpdate]),
96                    ..Default::default()
97                })
98            ),
99            Poll::Pending => panic!("future unexpectedly pending"),
100        };
101    }
102}