omaha_client/state_machine/
update_check.rs1use crate::{
12 common::{ProtocolState, UpdateCheckSchedule, UserCounting},
13 protocol::Cohort,
14 storage::{Storage, StorageExt},
15 time::PartialComplexTime,
16};
17use std::convert::{TryFrom, TryInto};
18use std::time::Duration;
19use tracing::error;
20
21pub const CONSECUTIVE_FAILED_UPDATE_CHECKS: &str = "consecutive_failed_update_checks";
23pub const LAST_UPDATE_TIME: &str = "last_update_time";
24pub const SERVER_DICTATED_POLL_INTERVAL: &str = "server_dictated_poll_interval";
25
26#[derive(Clone, Debug)]
30pub struct Context {
31 pub schedule: UpdateCheckSchedule,
33
34 pub state: ProtocolState,
37}
38
39impl Context {
40 pub async fn load(storage: &impl Storage) -> Self {
42 let last_update_time = storage
43 .get_time(LAST_UPDATE_TIME)
44 .await
45 .map(PartialComplexTime::Wall);
46 let server_dictated_poll_interval = storage
47 .get_int(SERVER_DICTATED_POLL_INTERVAL)
48 .await
49 .and_then(|t| u64::try_from(t).ok())
50 .map(Duration::from_micros);
51
52 let consecutive_failed_update_checks: u32 = storage
53 .get_int(CONSECUTIVE_FAILED_UPDATE_CHECKS)
54 .await
55 .unwrap_or(0)
56 .try_into()
57 .unwrap_or_default();
58
59 Context {
62 schedule: UpdateCheckSchedule::builder()
63 .last_update_time(last_update_time)
64 .last_update_check_time(last_update_time)
65 .build(),
66 state: ProtocolState {
67 server_dictated_poll_interval,
68 consecutive_failed_update_checks,
69 ..Default::default()
70 },
71 }
72 }
73
74 pub async fn persist<'a>(&'a self, storage: &'a mut impl Storage) {
78 if let Err(e) = storage
79 .set_option_int(
80 LAST_UPDATE_TIME,
81 self.schedule
82 .last_update_time
83 .and_then(PartialComplexTime::checked_to_micros_since_epoch),
84 )
85 .await
86 {
87 error!("Unable to persist {}: {}", LAST_UPDATE_TIME, e);
88 }
89
90 if let Err(e) = storage
91 .set_option_int(
92 SERVER_DICTATED_POLL_INTERVAL,
93 self.state
94 .server_dictated_poll_interval
95 .map(|t| t.as_micros())
96 .and_then(|t| i64::try_from(t).ok()),
97 )
98 .await
99 {
100 error!("Unable to persist {}: {}", SERVER_DICTATED_POLL_INTERVAL, e);
101 }
102
103 let consecutive_failed_update_checks_option = {
106 if self.state.consecutive_failed_update_checks == 0 {
107 None
108 } else {
109 Some(self.state.consecutive_failed_update_checks as i64)
110 }
111 };
112
113 if let Err(e) = storage
114 .set_option_int(
115 CONSECUTIVE_FAILED_UPDATE_CHECKS,
116 consecutive_failed_update_checks_option,
117 )
118 .await
119 {
120 error!(
121 "Unable to persist {}: {}",
122 CONSECUTIVE_FAILED_UPDATE_CHECKS, e
123 );
124 }
125 }
126}
127
128#[derive(Debug)]
131pub struct Response {
132 pub app_responses: Vec<AppResponse>,
134}
135
136#[derive(Debug)]
139pub struct AppResponse {
140 pub app_id: String,
142
143 pub cohort: Cohort,
145
146 pub user_counting: UserCounting,
147
148 pub result: Action,
150}
151
152#[derive(Debug, Clone, PartialEq)]
156pub enum Action {
157 NoUpdate,
159
160 DeferredByPolicy,
163
164 DeniedByPolicy,
167
168 InstallPlanExecutionError,
171
172 Updated,
174}
175
176#[cfg(test)]
177mod tests {
178 use super::*;
179 use crate::storage::MemStorage;
180 use futures::executor::block_on;
181
182 #[test]
183 fn test_load_context() {
184 block_on(async {
185 let mut storage = MemStorage::new();
186 let last_update_time = 123456789;
187 let poll_interval = Duration::from_micros(56789u64);
188 storage
189 .set_int(LAST_UPDATE_TIME, last_update_time)
190 .await
191 .unwrap();
192 storage
193 .set_int(
194 SERVER_DICTATED_POLL_INTERVAL,
195 poll_interval.as_micros() as i64,
196 )
197 .await
198 .unwrap();
199
200 storage
201 .set_int(CONSECUTIVE_FAILED_UPDATE_CHECKS, 1234)
202 .await
203 .unwrap();
204
205 let context = Context::load(&storage).await;
206
207 let last_update_time = PartialComplexTime::from_micros_since_epoch(last_update_time);
208 assert_eq!(context.schedule.last_update_time, Some(last_update_time));
209 assert_eq!(
210 context.state.server_dictated_poll_interval,
211 Some(poll_interval)
212 );
213 assert_eq!(context.state.consecutive_failed_update_checks, 1234);
214 });
215 }
216
217 #[test]
218 fn test_load_context_empty_storage() {
219 block_on(async {
220 let storage = MemStorage::new();
221 let context = Context::load(&storage).await;
222 assert_eq!(None, context.schedule.last_update_time);
223 assert_eq!(None, context.state.server_dictated_poll_interval);
224 assert_eq!(0, context.state.consecutive_failed_update_checks);
225 });
226 }
227
228 #[test]
229 fn test_persist_context() {
230 block_on(async {
231 let mut storage = MemStorage::new();
232 let last_update_time = PartialComplexTime::from_micros_since_epoch(123456789);
233 let server_dictated_poll_interval = Some(Duration::from_micros(56789));
234 let consecutive_failed_update_checks = 1234;
235 let context = Context {
236 schedule: UpdateCheckSchedule::builder()
237 .last_update_time(last_update_time)
238 .build(),
239 state: ProtocolState {
240 server_dictated_poll_interval,
241 consecutive_failed_update_checks,
242 ..ProtocolState::default()
243 },
244 };
245 context.persist(&mut storage).await;
246 assert_eq!(Some(123456789), storage.get_int(LAST_UPDATE_TIME).await);
247 assert_eq!(
248 Some(56789),
249 storage.get_int(SERVER_DICTATED_POLL_INTERVAL).await
250 );
251 assert_eq!(
252 Some(1234),
253 storage.get_int(CONSECUTIVE_FAILED_UPDATE_CHECKS).await
254 );
255 assert!(!storage.committed());
256 });
257 }
258
259 #[test]
260 fn test_persist_context_remove_defaults() {
261 block_on(async {
262 let mut storage = MemStorage::new();
263 let last_update_time = PartialComplexTime::from_micros_since_epoch(123456789);
264 storage
265 .set_int(SERVER_DICTATED_POLL_INTERVAL, 987654)
266 .await
267 .unwrap();
268 storage
269 .set_int(CONSECUTIVE_FAILED_UPDATE_CHECKS, 1234)
270 .await
271 .unwrap();
272
273 let context = Context {
274 schedule: UpdateCheckSchedule::builder()
275 .last_update_time(last_update_time)
276 .build(),
277 state: ProtocolState {
278 server_dictated_poll_interval: None,
279 consecutive_failed_update_checks: 0,
280 ..ProtocolState::default()
281 },
282 };
283 context.persist(&mut storage).await;
284 assert_eq!(Some(123456789), storage.get_int(LAST_UPDATE_TIME).await);
285 assert_eq!(None, storage.get_int(SERVER_DICTATED_POLL_INTERVAL).await);
286 assert_eq!(
287 None,
288 storage.get_int(CONSECUTIVE_FAILED_UPDATE_CHECKS).await
289 );
290 assert!(!storage.committed());
291 });
292 }
293}