realm_proxy/
service.rs

1// Copyright 2023 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::{Context, Error, Result};
6use fidl::endpoints;
7use fidl_fuchsia_testing_harness::{OperationError, RealmProxy_Request, RealmProxy_RequestStream};
8use fuchsia_component_test::RealmInstance;
9
10use futures::{Future, StreamExt, TryStreamExt};
11use log::{debug, error, warn};
12use {fidl_fuchsia_component_sandbox as fsandbox, fidl_fuchsia_io as fio, fuchsia_async as fasync};
13
14// RealmProxy mediates a test suite's access to the services in a test realm.
15pub trait RealmProxy {
16    // Connects to the named service in this proxy's realm.
17    //
18    // If the connection fails, the resulting [OperationError] is determined
19    // by the [RealmProxy] implementation.
20    fn connect_to_named_protocol(
21        &mut self,
22        protocol: &str,
23        server_end: zx::Channel,
24    ) -> Result<(), OperationError>;
25
26    // Opens the service directory in this proxy's realm.
27    //
28    // If the connection fails, the resulting [OperationError] is determined
29    // by the [RealmProxy] implementation.
30    fn open_service(&self, service: &str, server_end: zx::Channel) -> Result<(), OperationError>;
31
32    // Connects to the service instance in this proxy's realm.
33    //
34    // If the connection fails, the resulting [OperationError] is determined
35    // by the [RealmProxy] implementation.
36    fn connect_to_service_instance(
37        &self,
38        service: &str,
39        instance: &str,
40        server_end: zx::Channel,
41    ) -> Result<(), OperationError>;
42}
43
44// A default [RealmProxy] implementation that mediates access to a specific [RealmInstance].
45struct RealmInstanceProxy(RealmInstance);
46
47impl RealmProxy for RealmInstanceProxy {
48    fn connect_to_named_protocol(
49        &mut self,
50        protocol: &str,
51        server_end: zx::Channel,
52    ) -> Result<(), OperationError> {
53        let res =
54            self.0.root.connect_request_to_named_protocol_at_exposed_dir(protocol, server_end);
55
56        if let Some(err) = res.err() {
57            error!("{err:?}");
58            return Err(OperationError::Failed);
59        }
60
61        Ok(())
62    }
63
64    fn open_service(&self, service: &str, server_end: zx::Channel) -> Result<(), OperationError> {
65        self.0
66            .root
67            .get_exposed_dir()
68            .open(
69                service,
70                fio::PERM_READABLE | fio::Flags::PROTOCOL_DIRECTORY,
71                &Default::default(),
72                server_end,
73            )
74            .map_err(|e| {
75                warn!("Failed to open service directory for {service}: {e:?}");
76                OperationError::Failed
77            })
78    }
79
80    fn connect_to_service_instance(
81        &self,
82        service: &str,
83        instance: &str,
84        server_end: zx::Channel,
85    ) -> Result<(), OperationError> {
86        self.0
87            .root
88            .get_exposed_dir()
89            .open(
90                format!("{service}/{instance}").as_str(),
91                fio::PERM_READABLE | fio::Flags::PROTOCOL_DIRECTORY,
92                &Default::default(),
93                server_end,
94            )
95            .map_err(|e| {
96                warn!("Failed to open service instance directory for {service}/{instance}: {e:?}");
97                OperationError::Failed
98            })
99    }
100}
101
102// serve_with_proxy uses [proxy] to handle all requests from [stream].
103//
104// This function is useful when implementing a custom test harness that serves
105// other protocols in addition to the RealmProxy protocol.
106//
107// # Example Usage
108//
109// ```
110// #[fuchsia::main(logging = true)]
111// async fn main() -> Result<(), Error> {
112//   let mut fs = ServiceFs::new();
113//
114//   fs.dir("svc").add_fidl_service(|stream| {
115//     fasync::Task::spawn(async move {
116//       let realm = build_realm().await.unwrap();
117//       let realm_proxy = MyCustomRealmProxy(realm);
118//       realm_proxy::service::serve_with_proxy(realm_proxy, stream).await.unwrap();
119//     }).detach();
120//   });
121//
122//   fs.take_and_serve_directory_handle()?;
123//   fs.collect::<()>().await;
124//   Ok(())
125// }
126// ```
127pub async fn serve_with_proxy<P: RealmProxy>(
128    mut proxy: P,
129    mut stream: RealmProxy_RequestStream,
130) -> Result<(), crate::Error> {
131    while let Some(option) = stream.next().await {
132        match option {
133            Ok(request) => match request {
134                RealmProxy_Request::ConnectToNamedProtocol {
135                    protocol,
136                    server_end,
137                    responder,
138                    ..
139                } => {
140                    let res = proxy.connect_to_named_protocol(protocol.as_str(), server_end);
141                    responder.send(res)?;
142                }
143                RealmProxy_Request::OpenService { service, server_end, responder } => {
144                    let res = proxy.open_service(service.as_str(), server_end);
145                    responder.send(res)?;
146                }
147                RealmProxy_Request::ConnectToServiceInstance {
148                    service,
149                    instance,
150                    server_end,
151                    responder,
152                } => {
153                    let res = proxy.connect_to_service_instance(
154                        service.as_str(),
155                        instance.as_str(),
156                        server_end,
157                    );
158                    responder.send(res)?;
159                }
160            },
161            // Tell the user if we failed to read from the channel. These errors occur during
162            // testing and ignoring them can make it difficult to root cause test failures.
163            Err(e) => return Err(crate::error::Error::Fidl(e)),
164        }
165    }
166
167    // Tell the user we're disconnecting in case this is a premature shutdown.
168    debug!("done serving the RealmProxy connection");
169    Ok(())
170}
171
172// serve proxies all requests in [stream] to [realm].
173//
174// # Example Usage
175//
176// ```
177// #[fuchsia::main(logging = true)]
178// async fn main() -> Result<(), Error> {
179//   let mut fs = ServiceFs::new();
180//
181//   fs.dir("svc").add_fidl_service(|stream| {
182//     fasync::Task::spawn(async move {
183//       let realm = build_realm().await.unwrap();
184//       realm_proxy::service::serve(realm, stream).await.unwrap();
185//     }).detach();
186//   });
187//
188//   fs.take_and_serve_directory_handle()?;
189//   fs.collect::<()>().await;
190//   Ok(())
191// }
192// ```
193pub async fn serve(realm: RealmInstance, stream: RealmProxy_RequestStream) -> Result<(), Error> {
194    let proxy = RealmInstanceProxy(realm);
195    serve_with_proxy(proxy, stream).await?;
196    Ok(())
197}
198
199/// Dispatches incoming connections on `receiver_stream to `request_stream_handler`.
200/// `receiver_stream` is a sandbox receiver channel.
201///
202/// Example:
203///
204/// async fn handle_echo_request_stream(mut stream: fecho::EchoRequestStream) {
205///     while let Ok(Some(_request)) = stream.try_next().await {
206///         // ... handle request ...
207///     }
208/// }
209/// ...
210/// task_group.spawn(async move {
211///     let _ = realm_proxy::service::handle_receiver::<fecho::EchoMarker, _, _>(
212///         echo_receiver_stream,
213///         handle_echo_request_stream,
214///     )
215///     .await
216///     .map_err(|e| {
217///         error!("Failed to serve echo stream: {}", e);
218///     });
219/// });
220pub async fn handle_receiver<T, Fut, F>(
221    mut receiver_stream: fsandbox::ReceiverRequestStream,
222    request_stream_handler: F,
223) -> Result<(), Error>
224where
225    T: endpoints::ProtocolMarker,
226    Fut: Future<Output = ()> + Send,
227    F: Fn(T::RequestStream) -> Fut + Send + Sync + Copy + 'static,
228{
229    let mut task_group = fasync::TaskGroup::new();
230    while let Some(request) =
231        receiver_stream.try_next().await.context("failed to read request from stream")?
232    {
233        match request {
234            fsandbox::ReceiverRequest::Receive { channel, control_handle: _ } => {
235                task_group.spawn(async move {
236                    let server_end = endpoints::ServerEnd::<T>::new(channel.into());
237                    let stream: T::RequestStream = server_end.into_stream();
238                    request_stream_handler(stream).await;
239                });
240            }
241            fsandbox::ReceiverRequest::_UnknownMethod { .. } => {
242                unimplemented!()
243            }
244        }
245    }
246    Ok(())
247}