1use crate::base::{HasSettingType, SettingInfo, SettingType};
5use crate::handler::base::{Context, ControllerGenerateResult, Request};
6use crate::message::base::Audience;
7use crate::service::message::{MessageClient, Messenger, Signature};
8use crate::service_context::ServiceContext;
9use crate::storage::StorageInfo;
10use crate::{payload_convert, trace, trace_guard};
11use async_trait::async_trait;
12use core::convert::TryFrom;
13use fuchsia_async as fasync;
14use futures::future::LocalBoxFuture;
15use futures::lock::Mutex;
16use settings_storage::storage_factory::StorageFactory as StorageFactoryTrait;
17use std::borrow::Cow;
18use std::marker::PhantomData;
19use std::rc::Rc;
20use thiserror::Error;
21
22pub type ExitResult = Result<(), ControllerError>;
23pub type SettingHandlerResult = Result<Option<SettingInfo>, ControllerError>;
24pub type ControllerStateResult = Result<(), ControllerError>;
26
27#[derive(Clone, Debug, PartialEq)]
29pub enum Payload {
30 Command(Command),
32 Event(Event),
34 Result(SettingHandlerResult),
36}
37
38payload_convert!(Controller, Payload);
39
40#[derive(Debug, Clone, PartialEq)]
42pub enum Command {
43 HandleRequest(Request),
44 ChangeState(State),
45}
46
47impl TryFrom<crate::handler::setting_handler::Payload> for Command {
48 type Error = &'static str;
49
50 fn try_from(value: crate::handler::setting_handler::Payload) -> Result<Self, Self::Error> {
51 match value {
52 crate::handler::setting_handler::Payload::Command(command) => Ok(command),
53 _ => Err("wrong payload type"),
54 }
55 }
56}
57
58#[derive(Debug, Clone, Copy, Eq, Hash, PartialEq)]
59pub enum State {
60 Startup,
63
64 Listen,
67
68 EndListen,
71
72 Teardown,
76}
77
78#[derive(Clone, Debug, PartialEq)]
84pub enum Event {
85 Changed(SettingInfo),
88 Exited(ExitResult),
89 StateChanged(State),
90}
91
92#[allow(dead_code)]
93pub(crate) trait StorageFactory: StorageFactoryTrait {}
94impl<T: StorageFactoryTrait> StorageFactory for T {}
95
96#[derive(Error, Debug, Clone, PartialEq)]
97pub enum ControllerError {
98 #[error("Unimplemented Request:{1:?} for setting type: {0:?}")]
99 UnimplementedRequest(SettingType, Request),
100 #[error("Write failed. setting type: {0:?}")]
101 WriteFailure(SettingType),
102 #[error("Initialization failure: cause {0:?}")]
103 InitFailure(Cow<'static, str>),
104 #[error("Restoration of setting on controller startup failed: cause {0:?}")]
105 RestoreFailure(Cow<'static, str>),
106 #[error(
107 "Call to an external dependency {1:?} for setting type {0:?} failed. \
108 Request:{2:?}: Error:{3}"
109 )]
110 ExternalFailure(SettingType, Cow<'static, str>, Cow<'static, str>, Cow<'static, str>),
111 #[error("Invalid input argument for setting type: {0:?} argument:{1:?} value:{2:?}")]
112 InvalidArgument(SettingType, Cow<'static, str>, Cow<'static, str>),
113 #[error(
114 "Incompatible argument values passed: {setting_type:?} argument:{main_arg:?} cannot be \
115 combined with arguments:[{other_args:?}] with respective values:[{values:?}]. {reason:?}"
116 )]
117 IncompatibleArguments {
118 setting_type: SettingType,
119 main_arg: Cow<'static, str>,
120 other_args: Cow<'static, str>,
121 values: Cow<'static, str>,
122 reason: Cow<'static, str>,
123 },
124 #[error("Unhandled type: {0:?}")]
125 UnhandledType(SettingType),
126 #[error("Unexpected error: {0:?}")]
127 UnexpectedError(Cow<'static, str>),
128 #[error("Undeliverable Request:{1:?} for setting type: {0:?}")]
129 UndeliverableError(SettingType, Request),
130 #[error("Unsupported request for setting type: {0:?}")]
131 UnsupportedError(SettingType),
132 #[error("Delivery error for type: {0:?} received by: {1:?}")]
133 DeliveryError(SettingType, SettingType),
134 #[error("Irrecoverable error")]
135 IrrecoverableError,
136 #[error("Timeout occurred")]
137 TimeoutError,
138 #[error("Exit occurred")]
139 ExitError,
140}
141
142pub(crate) type BoxedController = Box<dyn controller::Handle>;
143pub(crate) type BoxedControllerResult = Result<BoxedController, ControllerError>;
144
145pub(crate) type GenerateController =
146 Box<dyn Fn(Rc<ClientImpl>) -> LocalBoxFuture<'static, BoxedControllerResult>>;
147
148pub(crate) mod controller {
149 use super::*;
150
151 #[async_trait(?Send)]
152 #[cfg(test)]
153 pub(crate) trait Create: Sized {
154 async fn create(client: Rc<ClientImpl>) -> Result<Self, ControllerError>;
155 }
156
157 #[async_trait(?Send)]
158 pub(crate) trait Handle {
159 async fn handle(&self, request: Request) -> Option<SettingHandlerResult>;
162
163 async fn change_state(&mut self, _state: State) -> Option<ControllerStateResult> {
165 None
166 }
167 }
168}
169
170pub struct ClientImpl {
171 notify: Mutex<bool>,
173 messenger: Messenger,
174 notifier_signature: Signature,
175 service_context: Rc<ServiceContext>,
176 setting_type: SettingType,
177}
178
179impl ClientImpl {
180 fn new(context: &Context) -> Self {
181 Self {
182 messenger: context.messenger.clone(),
183 setting_type: context.setting_type,
184 notifier_signature: context.notifier_signature,
185 notify: Mutex::new(false),
186 service_context: Rc::clone(&context.environment.service_context),
187 }
188 }
189
190 #[cfg(test)]
192 pub fn for_test(
193 notify: Mutex<bool>,
194 messenger: Messenger,
195 notifier_signature: Signature,
196 service_context: Rc<ServiceContext>,
197 setting_type: SettingType,
198 ) -> Self {
199 Self { notify, messenger, notifier_signature, service_context, setting_type }
200 }
201
202 async fn process_request(
203 setting_type: SettingType,
204 controller: &BoxedController,
205 request: Request,
206 ) -> SettingHandlerResult {
207 let result = controller.handle(request.clone()).await;
208 match result {
209 Some(response_result) => response_result,
210 None => Err(ControllerError::UnimplementedRequest(setting_type, request)),
211 }
212 }
213
214 pub(crate) async fn create(
215 mut context: Context,
216 generate_controller: GenerateController,
217 ) -> ControllerGenerateResult {
218 let client = Rc::new(Self::new(&context));
219
220 let mut controller = generate_controller(Rc::clone(&client)).await?;
221
222 fasync::Task::local(async move {
224 let _ = &context;
225 let id = fuchsia_trace::Id::new();
226 trace!(
227 id,
228 c"setting handler",
229 "setting_type" => format!("{:?}", client.setting_type).as_str()
230 );
231 while let Ok((payload, message_client)) = context.receptor.next_of::<Payload>().await {
232 let setting_type = client.setting_type;
233
234 match Command::try_from(payload).expect("should only receive commands") {
236 Command::HandleRequest(Request::Rebroadcast) => {
240 trace!(id, c"handle rebroadcast");
241 let controller_reply =
243 Self::process_request(setting_type, &controller, Request::Get).await;
244
245 if let Ok(Some(info)) = &controller_reply {
247 client.notify(Event::Changed(info.clone())).await;
248 }
249
250 reply(message_client, controller_reply);
251 }
252 Command::HandleRequest(request) => {
253 trace!(id, c"handle request");
254 reply(
255 message_client,
256 Self::process_request(setting_type, &controller, request.clone()).await,
257 );
258 }
259 Command::ChangeState(state) => {
260 trace!(
261 id,
262 c"change state",
263 "state" => format!("{state:?}").as_str()
264 );
265 match state {
266 State::Startup => {
267 if let Some(Err(e)) = controller.change_state(state).await {
268 log::error!(
269 "Failed startup phase for SettingType {:?} {}",
270 setting_type,
271 e
272 );
273 }
274 reply(message_client, Ok(None));
275 continue;
276 }
277 State::Listen => {
278 *client.notify.lock().await = true;
279 }
280 State::EndListen => {
281 *client.notify.lock().await = false;
282 }
283 State::Teardown => {
284 if let Some(Err(e)) = controller.change_state(state).await {
285 log::error!(
286 "Failed teardown phase for SettingType {:?} {}",
287 setting_type,
288 e
289 );
290 }
291 reply(message_client, Ok(None));
292 continue;
293 }
294 }
295
296 let _ = controller.change_state(state).await;
298 }
299 }
300 }
301 })
302 .detach();
303
304 Ok(())
305 }
306
307 pub(crate) fn get_service_context(&self) -> Rc<ServiceContext> {
308 Rc::clone(&self.service_context)
309 }
310
311 pub(crate) async fn notify(&self, event: Event) {
312 let notify = self.notify.lock().await;
313 if *notify {
314 let _ = self.messenger.message(
316 Payload::Event(event).into(),
317 Audience::Messenger(self.notifier_signature),
318 );
319 }
320 }
321
322 #[cfg(test)]
323 pub(crate) fn emit_state_event(&self, state: State) {
324 let event = Payload::Event(Event::StateChanged(state));
325 let _ = self.messenger.message(event.into(), Audience::EventSink);
326 }
327}
328
329pub(crate) trait IntoHandlerResult {
331 #[allow(clippy::result_large_err)] fn into_handler_result(self) -> SettingHandlerResult;
334}
335
336impl IntoHandlerResult for SettingInfo {
337 fn into_handler_result(self) -> SettingHandlerResult {
338 Ok(Some(self))
339 }
340}
341
342pub mod persist {
343 use super::{ClientImpl as BaseProxy, *};
344 use crate::message::base::MessageEvent;
345 use crate::{service, storage, trace};
346 use fuchsia_trace as ftrace;
347 use futures::StreamExt;
348 use settings_storage::device_storage::DeviceStorageConvertible;
349 use settings_storage::UpdateState;
350
351 pub trait Storage: DeviceStorageConvertible + Into<SettingInfo> {}
352 impl<T: DeviceStorageConvertible + Into<SettingInfo>> Storage for T {}
353
354 pub(crate) mod controller {
355 use super::*;
356
357 #[async_trait(?Send)]
358 pub(crate) trait Create: Sized {
359 async fn create(handler: ClientProxy) -> Result<Self, ControllerError>;
361 }
362
363 pub(crate) trait CreateWith: Sized {
364 type Data;
365
366 fn create_with(handler: ClientProxy, data: Self::Data)
368 -> Result<Self, ControllerError>;
369 }
370
371 #[async_trait(?Send)]
372 pub(crate) trait CreateWithAsync: Sized {
373 type Data;
374
375 async fn create_with(
377 handler: ClientProxy,
378 data: Self::Data,
379 ) -> Result<Self, ControllerError>;
380 }
381 }
382
383 pub struct ClientProxy {
384 base: Rc<BaseProxy>,
385 setting_type: SettingType,
386 }
387
388 impl Clone for ClientProxy {
389 fn clone(&self) -> Self {
390 Self { base: Rc::clone(&self.base), setting_type: self.setting_type }
391 }
392 }
393
394 impl ClientProxy {
395 pub(crate) async fn new(base_proxy: Rc<BaseProxy>, setting_type: SettingType) -> Self {
396 Self { base: base_proxy, setting_type }
397 }
398
399 pub(crate) fn get_service_context(&self) -> Rc<ServiceContext> {
400 self.base.get_service_context()
401 }
402
403 pub(crate) async fn notify(&self, event: Event) {
404 self.base.notify(event).await;
405 }
406
407 pub(crate) async fn read_setting_info<T: HasSettingType>(
408 &self,
409 id: ftrace::Id,
410 ) -> SettingInfo {
411 let guard = trace_guard!(
412 id,
413 c"read_setting_info send",
414 "setting_type" => format!("{:?}", T::SETTING_TYPE).as_str()
415 );
416 let mut receptor = self.base.messenger.message(
417 storage::Payload::Request(storage::StorageRequest::Read(
418 T::SETTING_TYPE.into(),
419 id,
420 ))
421 .into(),
422 Audience::Address(service::Address::Storage),
423 );
424 drop(guard);
425
426 trace!(
427 id,
428 c"read_setting_info receive",
429 "setting_type" => format!("{:?}", T::SETTING_TYPE).as_str()
430 );
431 if let Ok((payload, _)) = receptor.next_of::<storage::Payload>().await {
432 if let storage::Payload::Response(storage::StorageResponse::Read(
433 StorageInfo::SettingInfo(setting_info),
434 )) = payload
435 {
436 return setting_info;
437 } else {
438 panic!("Incorrect response received from storage: {payload:?}");
439 }
440 }
441
442 panic!("Did not get a read response");
443 }
444
445 pub(crate) async fn read_setting<T: HasSettingType + TryFrom<SettingInfo>>(
446 &self,
447 id: ftrace::Id,
448 ) -> T {
449 let setting_info = self.read_setting_info::<T>(id).await;
450 if let Ok(info) = setting_info.clone().try_into() {
451 info
452 } else {
453 panic!(
454 "Mismatching type during read. Expected {:?}, but got {:?}",
455 T::SETTING_TYPE,
456 setting_info
457 );
458 }
459 }
460
461 pub(crate) async fn write_setting(
464 &self,
465 setting_info: SettingInfo,
466 id: ftrace::Id,
467 ) -> Result<UpdateState, ControllerError> {
468 let setting_type = (&setting_info).into();
469 let fst = format!("{setting_type:?}");
470 let guard = trace_guard!(
471 id,
472 c"write_setting send",
473 "setting_type" => fst.as_str()
474 );
475 let mut receptor = self.base.messenger.message(
476 storage::Payload::Request(storage::StorageRequest::Write(
477 setting_info.clone().into(),
478 id,
479 ))
480 .into(),
481 Audience::Address(service::Address::Storage),
482 );
483 drop(guard);
484
485 trace!(
486 id,
487 c"write_setting receive",
488 "setting_type" => fst.as_str()
489 );
490 while let Some(response) = receptor.next().await {
491 if let MessageEvent::Message(
492 service::Payload::Storage(storage::Payload::Response(
493 storage::StorageResponse::Write(result),
494 )),
495 _,
496 ) = response
497 {
498 if let Ok(UpdateState::Updated) = result {
499 trace!(
500 id,
501 c"write_setting notify",
502 "setting_type" => fst.as_str()
503 );
504 self.notify(Event::Changed(setting_info)).await;
505 }
506
507 return result.map_err(|e| {
508 log::error!("Failed to write setting: {:?}", e);
509 ControllerError::WriteFailure(setting_type)
510 });
511 }
512 }
513
514 panic!("Did not get a write response");
515 }
516 }
517
518 pub(crate) trait WriteResult: IntoHandlerResult {
521 fn notified(&self) -> bool;
523 }
524
525 impl WriteResult for Result<UpdateState, ControllerError> {
526 fn notified(&self) -> bool {
527 self.as_ref().map_or(false, |update_state| UpdateState::Updated == *update_state)
528 }
529 }
530
531 impl IntoHandlerResult for Result<UpdateState, ControllerError> {
532 fn into_handler_result(self) -> SettingHandlerResult {
533 self.map(|_| None)
534 }
535 }
536
537 pub(crate) struct Handler<C> {
538 _data: PhantomData<C>,
539 }
540
541 impl<C: controller::Create + super::controller::Handle + 'static> Handler<C> {
542 pub(crate) fn spawn(context: Context) -> LocalBoxFuture<'static, ControllerGenerateResult> {
543 Box::pin(async move {
544 let setting_type = context.setting_type;
545
546 ClientImpl::create(
547 context,
548 Box::new(move |proxy| {
549 Box::pin(async move {
550 let proxy = ClientProxy::new(proxy, setting_type).await;
551 let controller_result = C::create(proxy).await;
552
553 match controller_result {
554 Err(err) => Err(err),
555 Ok(controller) => Ok(Box::new(controller) as BoxedController),
556 }
557 })
558 }),
559 )
560 .await
561 })
562 }
563 }
564
565 impl<'a, C, O> Handler<C>
566 where
567 C: controller::CreateWith<Data = O> + super::controller::Handle + 'static,
568 O: Clone + 'static,
569 {
570 pub(crate) fn spawn_with(
571 context: Context,
572 data: O,
573 ) -> LocalBoxFuture<'static, ControllerGenerateResult> {
574 Box::pin(async move {
575 let setting_type = context.setting_type;
576
577 ClientImpl::create(
578 context,
579 Box::new({
580 let data = data.clone();
581 move |proxy| {
582 let data = data.clone();
583 Box::pin(async move {
584 let proxy = ClientProxy::new(proxy, setting_type).await;
585 let controller_result = C::create_with(proxy, data);
586
587 match controller_result {
588 Err(err) => Err(err),
589 Ok(controller) => Ok(Box::new(controller) as BoxedController),
590 }
591 })
592 }
593 }),
594 )
595 .await
596 })
597 }
598 }
599
600 impl<'a, C, O> Handler<C>
601 where
602 C: controller::CreateWithAsync<Data = O> + super::controller::Handle + 'static,
603 O: Clone + 'static,
604 {
605 pub(crate) fn spawn_with_async(
606 context: Context,
607 data: O,
608 ) -> LocalBoxFuture<'static, ControllerGenerateResult> {
609 Box::pin(async move {
610 let setting_type = context.setting_type;
611
612 ClientImpl::create(
613 context,
614 Box::new({
615 let data = data.clone();
616 move |proxy| {
617 let data = data.clone();
618 Box::pin(async move {
619 let proxy = ClientProxy::new(proxy, setting_type).await;
620 let controller_result = C::create_with(proxy, data).await;
621
622 match controller_result {
623 Err(err) => Err(err),
624 Ok(controller) => Ok(Box::new(controller) as BoxedController),
625 }
626 })
627 }
628 }),
629 )
630 .await
631 })
632 }
633 }
634}
635
636pub(crate) fn reply(client: MessageClient, result: SettingHandlerResult) {
637 let _ = client.reply(Payload::Result(result).into());
638}