1use crate::config::ElfProgramConfig;
6use crate::runtime_dir::RuntimeDirectory;
7use crate::Job;
8use async_trait::async_trait;
9use fidl::endpoints::{ClientEnd, Proxy};
10use fidl_fuchsia_component_runner::ComponentControllerOnEscrowRequest;
11use fidl_fuchsia_process_lifecycle::{LifecycleEvent, LifecycleProxy};
12use futures::future::{join_all, BoxFuture, FutureExt};
13use futures::stream::BoxStream;
14use futures::StreamExt;
15use log::{error, warn};
16use moniker::Moniker;
17use runner::component::Controllable;
18use std::ops::DerefMut;
19use std::sync::{Arc, Mutex};
20use zx::{self as zx, AsHandleRef, HandleBased, Process, Task};
21use {fidl_fuchsia_io as fio, fuchsia_async as fasync};
22
23pub struct ElfComponentInfo {
27 moniker: Moniker,
29
30 component_instance: zx::Event,
32
33 job: Arc<Job>,
36
37 main_process_critical: bool,
40
41 component_url: String,
43
44 outgoing_directory_for_memory_attribution: Option<ClientEnd<fio::DirectoryMarker>>,
49
50 program_config: ElfProgramConfig,
52}
53
54impl ElfComponentInfo {
55 pub fn get_url(&self) -> &String {
56 &self.component_url
57 }
58
59 pub fn get_moniker(&self) -> &Moniker {
60 &self.moniker
61 }
62
63 pub fn copy_job(&self) -> Arc<Job> {
65 self.job.clone()
66 }
67
68 pub fn get_outgoing_directory(&self) -> Option<&ClientEnd<fio::DirectoryMarker>> {
69 self.outgoing_directory_for_memory_attribution.as_ref()
70 }
71
72 pub fn get_program_config(&self) -> &ElfProgramConfig {
73 &self.program_config
74 }
75
76 pub fn copy_job_for_diagnostics(&self) -> Result<zx::Job, zx::Status> {
82 self.job.top().duplicate_handle(zx::Rights::BASIC)
83 }
84
85 pub fn copy_instance_token(&self) -> Result<zx::Event, zx::Status> {
86 self.component_instance.duplicate_handle(zx::Rights::SAME_RIGHTS)
87 }
88}
89
90pub struct ElfComponent {
92 _runtime_dir: RuntimeDirectory,
95
96 info: Arc<ElfComponentInfo>,
98
99 process: Option<Arc<Process>>,
101
102 lifecycle_channel: Option<LifecycleProxy>,
106
107 tasks: Option<Vec<fasync::Task<()>>>,
113
114 on_drop: Mutex<Option<Box<dyn FnOnce(&ElfComponentInfo) + Send + 'static>>>,
116}
117
118impl ElfComponent {
119 pub fn new(
120 _runtime_dir: RuntimeDirectory,
121 moniker: Moniker,
122 job: Job,
123 process: Process,
124 lifecycle_channel: Option<LifecycleProxy>,
125 main_process_critical: bool,
126 tasks: Vec<fasync::Task<()>>,
127 component_url: String,
128 outgoing_directory: Option<ClientEnd<fio::DirectoryMarker>>,
129 program_config: ElfProgramConfig,
130 component_instance: zx::Event,
131 ) -> Self {
132 Self {
133 _runtime_dir,
134 info: Arc::new(ElfComponentInfo {
135 moniker,
136 component_instance,
137 job: Arc::new(job),
138 main_process_critical,
139 component_url,
140 outgoing_directory_for_memory_attribution: outgoing_directory,
141 program_config,
142 }),
143 process: Some(Arc::new(process)),
144 lifecycle_channel,
145 tasks: Some(tasks),
146 on_drop: Mutex::new(None),
147 }
148 }
149
150 pub fn set_on_drop(&self, func: impl FnOnce(&ElfComponentInfo) + Send + 'static) {
152 let mut on_drop = self.on_drop.lock().unwrap();
153 let previous = std::mem::replace(
154 on_drop.deref_mut(),
155 Some(Box::new(func) as Box<dyn FnOnce(&ElfComponentInfo) + Send + 'static>),
156 );
157 assert!(previous.is_none());
158 }
159
160 pub fn info(&self) -> &Arc<ElfComponentInfo> {
162 &self.info
163 }
164
165 pub fn copy_process(&self) -> Option<Arc<Process>> {
168 self.process.clone()
169 }
170}
171
172#[async_trait]
173impl Controllable for ElfComponent {
174 async fn kill(&mut self) {
175 if self.info().main_process_critical {
176 warn!("killing a component with 'main_process_critical', so this will also kill component_manager and all of its components");
177 }
178 self.info()
179 .job
180 .top()
181 .kill()
182 .unwrap_or_else(|error| error!(error:%; "failed killing job during kill"));
183 }
184
185 fn stop<'a>(&mut self) -> BoxFuture<'a, ()> {
186 if let Some(lifecycle_chan) = self.lifecycle_channel.take() {
187 lifecycle_chan.stop().unwrap_or_else(
188 |error| error!(error:%; "failed to stop lifecycle_chan during stop"),
189 );
190
191 let job = self.info().job.clone();
192
193 if self.info().main_process_critical {
197 if self.process.is_none() {
198 warn!("killing job of component with 'main_process_critical' set because component has lifecycle channel, but no process main process.");
202 self.info().job.top().kill().unwrap_or_else(|error| {
203 error!(error:%; "failed killing job for component with no lifecycle channel")
204 });
205 return async {}.boxed();
206 }
207 let proc_handle = self.process.take().unwrap();
210
211 async move {
212 fasync::OnSignals::new(
213 &proc_handle.as_handle_ref(),
214 zx::Signals::PROCESS_TERMINATED,
215 )
216 .await
217 .map(|_: fidl::Signals| ()) .unwrap_or_else(|e| {
219 error!(
220 "killing component's job after failure waiting on process exit, err: {}",
221 e
222 )
223 });
224 job.top().kill().unwrap_or_else(|error| {
225 error!(error:%; "failed killing job in stop after lifecycle channel closed")
226 });
227 }
228 .boxed()
229 } else {
230 async move {
231 lifecycle_chan.on_closed()
232 .await
233 .map(|_: fidl::Signals| ()) .unwrap_or_else(|e| {
235 error!(
236 "killing component's job after failure waiting on lifecycle channel, err: {}",
237 e
238 )
239 });
240 job.top().kill().unwrap_or_else(|error| {
241 error!(error:%; "failed killing job in stop after lifecycle channel closed")
242 });
243 }
244 .boxed()
245 }
246 } else {
247 if self.info().main_process_critical {
248 warn!(
249 "killing job of component {} marked with 'main_process_critical' because \
250 component does not implement Lifecycle, so this will also kill component_manager \
251 and all of its components",
252 self.info().get_url()
253 );
254 }
255 self.info().job.top().kill().unwrap_or_else(|error| {
256 error!(error:%; "failed killing job for component with no lifecycle channel")
257 });
258 async {}.boxed()
259 }
260 }
261
262 fn teardown<'a>(&mut self) -> BoxFuture<'a, ()> {
263 let tasks = self.tasks.take().unwrap_or_default();
264 async move {
265 join_all(tasks).await;
266 }
267 .boxed()
268 }
269
270 fn on_escrow<'a>(&self) -> BoxStream<'a, ComponentControllerOnEscrowRequest> {
271 let Some(lifecycle) = &self.lifecycle_channel else {
272 return futures::stream::empty().boxed();
273 };
274 lifecycle
275 .take_event_stream()
276 .filter_map(|result| async {
277 match result {
278 Ok(LifecycleEvent::OnEscrow { payload }) => {
279 Some(ComponentControllerOnEscrowRequest {
280 outgoing_dir: payload.outgoing_dir,
281 escrowed_dictionary: payload.escrowed_dictionary,
282 ..Default::default()
283 })
284 }
285 Err(fidl::Error::ClientChannelClosed { .. }) => {
286 None
288 }
289 Err(error) => {
290 warn!(error:%; "error handling lifecycle channel events");
291 None
292 }
293 }
294 })
295 .boxed()
296 }
297}
298
299impl Drop for ElfComponent {
300 fn drop(&mut self) {
301 if let Some(on_drop) = self.on_drop.lock().unwrap().take() {
303 on_drop(self.info().as_ref());
304 }
305 self.info()
307 .job
308 .top()
309 .kill()
310 .unwrap_or_else(|error| error!(error:%; "failed to kill job in drop"));
311 }
312}