sl4f_lib/component/
facade.rs1use crate::common_utils::common::macros::{fx_err_and_bail, with_line};
6use crate::component::types::{
7 ComponentLaunchRequest, ComponentLaunchResponse, ComponentSearchRequest, ComponentSearchResult,
8};
9use anyhow::{format_err, Context as _, Error};
10use component_debug::cli::{list_cmd_serialized, show_cmd_serialized, ListFilter};
11use component_events::events::*;
12use component_events::matcher::*;
13use fuchsia_component::client;
14use log::info;
15use serde_json::{from_value, Value};
16use {
17 fidl_fuchsia_component as fcomponent, fidl_fuchsia_component_decl as fcdecl,
18 fidl_fuchsia_io as fio, fidl_fuchsia_sys2 as fsys,
19};
20
21static LAUNCHED_COMPONENTS_COLLECTION_NAME: &'static str = "launched_components";
23
24#[derive(Debug)]
29pub struct ComponentFacade {}
30
31impl ComponentFacade {
32 pub fn new() -> ComponentFacade {
33 ComponentFacade {}
34 }
35
36 pub async fn launch(&self, args: Value) -> Result<ComponentLaunchResponse, Error> {
44 let tag = "ComponentFacade::create_launch_app";
45 let req: ComponentLaunchRequest = from_value(args)?;
46 let component_url = match req.url {
48 Some(x) => {
49 if !x.starts_with("fuchsia-pkg") {
50 return Err(format_err!("Need full component url to launch"));
51 }
52 info!(
53 "Executing Launch {} in Component Facade with arguments {:?}.",
54 x, req.arguments
55 );
56 x
57 }
58 None => return Err(format_err!("Need full component url to launch")),
59 };
60
61 if req.arguments.is_some() {
62 return Err(format_err!(
63 "CFv2 components currently don't support command line arguments"
64 ));
65 }
66 self.launch_v2(tag, &component_url, req.wait_until_stop).await
67 }
68
69 async fn launch_v2(
75 &self,
76 tag: &str,
77 url: &str,
78 wait_until_stop: bool,
79 ) -> Result<ComponentLaunchResponse, Error> {
80 let collection_name = LAUNCHED_COMPONENTS_COLLECTION_NAME;
81 let child_name =
82 if let (Some(last_dot), Some(last_slash)) = (url.rfind('.'), (url.rfind('/'))) {
83 &url[last_slash + 1..last_dot]
84 } else {
85 fx_err_and_bail!(
86 &with_line!(tag),
87 format_err!("Component URL must end with a manifest file name: {url}")
88 )
89 };
90
91 let mut event_stream = EventStream::open().await.unwrap();
94 let realm = client::connect_to_protocol::<fcomponent::RealmMarker>()?;
95 let collection_ref = fcdecl::CollectionRef { name: collection_name.to_string() };
96 let child_decl = fcdecl::Child {
97 name: Some(child_name.to_string()),
98 url: Some(url.to_string()),
99 startup: Some(fcdecl::StartupMode::Lazy), environment: None,
101 ..Default::default()
102 };
103 let child_args =
104 fcomponent::CreateChildArgs { numbered_handles: None, ..Default::default() };
105 if let Err(err) = realm.create_child(&collection_ref, &child_decl, child_args).await? {
106 fx_err_and_bail!(&with_line!(tag), format_err!("Failed to create CFv2 child: {err:?}"));
107 }
108
109 let child_ref = fcdecl::ChildRef {
110 name: child_name.to_string(),
111 collection: Some(collection_name.to_string()),
112 };
113
114 let (exposed_dir, server_end) = fidl::endpoints::create_proxy::<fio::DirectoryMarker>();
115 if let Err(err) = realm.open_exposed_dir(&child_ref, server_end).await? {
116 fx_err_and_bail!(
117 &with_line!(tag),
118 format_err!("Failed to open exposed directory for CFv2 child: {err:?}")
119 );
120 }
121
122 let _ = client::connect_to_protocol_at_dir_root::<fcomponent::BinderMarker>(&exposed_dir)?;
124
125 if wait_until_stop {
126 info!("Waiting for Stopped events for child {child_name}");
130 let stopped_event = EventMatcher::ok()
131 .moniker(format!("{LAUNCHED_COMPONENTS_COLLECTION_NAME}:{child_name}"))
132 .wait::<Stopped>(&mut event_stream)
133 .await
134 .context(format!("failed to observe {child_name} Stopped event"))?;
135
136 if let Err(err) = realm.destroy_child(&child_ref).await? {
137 fx_err_and_bail!(
138 &with_line!(tag),
139 format_err!("Failed to destroy CFv2 child: {err:?}")
140 );
141 }
142
143 let stopped_payload =
144 stopped_event.result().map_err(|err| anyhow!("StoppedError: {err:?}"))?;
145 info!("Returning {stopped_payload:?} event for child {child_name}");
146 match stopped_payload.status {
147 ExitStatus::Crash(status) => {
148 info!("Component terminated unexpectedly. Status: {status}");
149 Ok(ComponentLaunchResponse::Fail(status as i64))
150 }
151 ExitStatus::Clean => Ok(ComponentLaunchResponse::Success),
152 }
153 } else {
154 Ok(ComponentLaunchResponse::Success)
155 }
156 }
157
158 pub async fn search(&self, args: Value) -> Result<ComponentSearchResult, Error> {
163 let req: ComponentSearchRequest = from_value(args)?;
164 let name = match req.name {
165 Some(x) => {
166 info!("Searching Component {} in ComponentSearch Facade", x,);
167 x
168 }
169 None => return Err(format_err!("Need name of the component to search.")),
170 };
171 let query = client::connect_to_protocol::<fsys::RealmQueryMarker>()?;
172 match show_cmd_serialized(name.to_string(), query).await {
173 Ok(_) => Ok(ComponentSearchResult::Success),
174 Err(_) => Ok(ComponentSearchResult::NotFound),
175 }
176 }
177
178 pub async fn list(&self) -> Result<Vec<String>, Error> {
180 info!("List running Component in ComponentSearch Facade",);
181 let query = client::connect_to_protocol::<fsys::RealmQueryMarker>()?;
182 let instances = list_cmd_serialized(Some(ListFilter::Running), query).await?;
183 let urls: Vec<String> = instances.into_iter().map(|i| i.url).collect();
184 Ok(urls)
185 }
186}