settings/
service.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
5//! Service-wide MessageHub definition.
6//!
7//! The service mod defines a MessageHub (and associated Address, Payload, and
8//! Role namespaces) to facilitate service-wide communication. All
9//! communication, both intra-component and inter-component, should be sent
10//! through this hub. The address space of this MessageHub allows any component
11//! to be reached when given a public address. The Role space allows granular
12//! message filtering and audience targeting.
13//!
14//! The static Address and Role definitions below provide a way to reference
15//! such values at build time. However, many use-cases that rely on these
16//! features can be done through values generated at runtime instead. Care
17//! should be taken before expanding either enumeration.
18//!
19//! Currently, service communication happens in a number of domain-specific
20//! message hubs located in the internal mod. Communication from these hubs
21//! should migrate here over time.
22
23use crate::base::SettingType;
24use crate::handler::{base as handler, setting_handler as controller};
25use crate::message::message_hub;
26use crate::{agent, event, job, storage};
27
28pub struct MessageHub;
29
30impl MessageHub {
31    pub(crate) fn create_hub() -> message::Delegate {
32        message_hub::MessageHub::create()
33    }
34}
35
36pub(crate) mod message {
37    use crate::message::{base, delegate, message_client, messenger, receptor};
38
39    pub(crate) type Delegate = delegate::Delegate;
40    pub(crate) type Audience = base::Audience;
41    pub(crate) type Messenger = messenger::MessengerClient;
42    pub(crate) type MessageError = base::MessageError;
43    pub(crate) type MessageEvent = base::MessageEvent;
44    pub(crate) type MessageClient = message_client::MessageClient;
45    pub(crate) type MessengerType = base::MessengerType;
46    pub(crate) type Receptor = receptor::Receptor;
47    pub(crate) type Signature = base::Signature;
48}
49
50/// The `Address` enumeration defines a namespace for entities that can be
51/// reached by a predefined name. Care should be taken when adding new child
52/// namespaces here. Each address can only belong to a single entity.
53/// Most communication can be instead facilitated with a messenger's signature,
54/// which is available at messenger creation time.
55#[derive(PartialEq, Copy, Clone, Debug, Eq, Hash)]
56pub enum Address {
57    Handler(SettingType),
58    EventSource(event::Address),
59    Storage,
60    /// This value is reserved for testing purposes.
61    #[cfg(test)]
62    Test(u64),
63}
64
65/// The types of data that can be sent through the service `MessageHub`. This
66/// enumeration is meant to provide a top level definition. Further definitions
67/// for particular domains should be located in the appropriate mod.
68#[derive(Clone, PartialEq, Debug)]
69pub enum Payload {
70    /// The Setting type captures communication pertaining to settings,
71    /// including requests to access/change settings and the associated
72    /// responses.
73    Setting(handler::Payload),
74    /// The communication to and from a controller to handle requests and
75    /// lifetime.
76    Controller(controller::Payload),
77    /// Agent payloads contain communication between the agent authority and individual agents.
78    Agent(agent::Payload),
79    /// Event payloads contain data about events that occur throughout the system.
80    Event(event::Payload),
81    /// Job payloads contain information related to new sources of jobs to be executed.
82    Job(job::Payload),
83    /// Storage payloads contain read and write requests to storage and their responses.
84    Storage(storage::Payload),
85    /// This value is reserved for testing purposes.
86    #[cfg(test)]
87    Test(test::Payload),
88}
89
90#[cfg(test)]
91pub(crate) mod test {
92    use crate::audio::types::AudioInfo;
93    use crate::payload_convert;
94
95    /// This payload should be expanded to include any sort of data that tests would send that is
96    /// outside the scope of production payloads.
97    #[derive(PartialEq, Clone, Debug)]
98    pub enum Payload {
99        Integer(i64),
100        Audio(AudioInfo),
101    }
102
103    // Conversions for Handler Payload.
104    payload_convert!(Test, Payload);
105}
106
107/// A trait implemented by payloads for extracting the payload and associated
108/// [`message::MessageClient`] from a [`crate::message::base::MessageEvent`].
109pub(crate) trait TryFromWithClient<T>: Sized {
110    type Error;
111
112    fn try_from_with_client(value: T) -> Result<(Self, message::MessageClient), Self::Error>;
113}
114
115/// The payload_convert macro helps convert between the domain-specific payloads
116/// (variants of [`Payload`]) and the [`Payload`] container(to/from) & MessageHub
117/// MessageEvent (from). The first matcher is the [`Payload`] variant name where
118/// the payload type can be found. Note that this is the direct variant name
119/// and not fully qualified. The second matcher is the domain-specific payload
120/// type.
121///
122/// The macro implements the following in a mod called convert:
123/// - Into from domain Payload to service MessageHub Payload
124/// - TryFrom from service MessageHub Payload to domain Payload
125/// - TryFromWithClient from service MessageHub MessageEvent to domain Payload
126///   and client.
127/// - TryFromWithClient from a service MessageHub MessageEvent option to domain
128///   Payload and client.
129#[macro_export]
130macro_rules! payload_convert {
131    ($service_payload_type:ident, $payload_type:ty) => {
132        pub(super) mod convert {
133            use super::*;
134            use $crate::service;
135            use $crate::service::TryFromWithClient;
136
137            impl From<$payload_type> for service::Payload {
138                fn from(payload: $payload_type) -> service::Payload {
139                    paste::paste! {
140                        service::Payload::[<$service_payload_type>](payload)
141                    }
142                }
143            }
144
145            impl TryFrom<service::Payload> for $payload_type {
146                type Error = String;
147
148                fn try_from(value: service::Payload) -> Result<Self, Self::Error> {
149                    paste::paste! {
150                        match value {
151                            service::Payload::[<$service_payload_type>](payload) => Ok(payload),
152                            _=> Err(format!("unexpected payload encountered: {:?}", value)),
153                        }
154                    }
155                }
156            }
157
158            impl TryFrom<service::message::MessageEvent> for $payload_type {
159                type Error = String;
160
161                fn try_from(value: service::message::MessageEvent) -> Result<Self, Self::Error> {
162                    paste::paste! {
163                        if let service::message::MessageEvent::Message(payload, _) = value {
164                            Payload::try_from(payload)
165                        } else {
166                            Err(String::from("wrong message type"))
167                        }
168                    }
169                }
170            }
171
172            impl TryFromWithClient<service::message::MessageEvent> for $payload_type {
173                type Error = String;
174
175                fn try_from_with_client(
176                    value: service::message::MessageEvent,
177                ) -> Result<(Self, service::message::MessageClient), Self::Error> {
178                    if let service::message::MessageEvent::Message(payload, client) = value {
179                        Ok((Payload::try_from(payload)?, client))
180                    } else {
181                        Err(String::from("wrong message type"))
182                    }
183                }
184            }
185        }
186    };
187}
188
189#[cfg(test)]
190pub(crate) async fn build_event_listener(delegate: &message::Delegate) -> message::Receptor {
191    delegate.create_sink().await.expect("Should be able to retrieve receptor").1
192}