blob: e5917940fe4165a045db90df71f09e864f53f464 [file] [log] [blame]
Alan Stokesb2cc79e2021-09-14 14:08:46 +01001/*
2 * Copyright (C) 2021 The Android Open Source Project
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 * http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
17//! Simple command-line tool to drive composd for testing and debugging.
18
19use android_system_composd::{
Alan Stokes9ca14ca2021-10-20 14:25:57 +010020 aidl::android::system::composd::{
21 ICompilationTaskCallback::{BnCompilationTaskCallback, ICompilationTaskCallback},
22 IIsolatedCompilationService::IIsolatedCompilationService,
23 },
Alan Stokesdcb96022021-10-26 15:23:31 +010024 binder::{
25 wait_for_interface, BinderFeatures, DeathRecipient, IBinder, Interface, ProcessState,
26 Result as BinderResult,
27 },
Alan Stokesb2cc79e2021-09-14 14:08:46 +010028};
Alan Stokes9ca14ca2021-10-20 14:25:57 +010029use anyhow::{bail, Context, Result};
Alan Stokes17aed5c2021-10-20 14:25:57 +010030use compos_common::timeouts::timeouts;
Alan Stokes9ca14ca2021-10-20 14:25:57 +010031use std::sync::{Arc, Condvar, Mutex};
32use std::time::Duration;
Alan Stokesb2cc79e2021-09-14 14:08:46 +010033
34fn main() -> Result<()> {
Alan Stokes388b88a2021-10-13 16:03:17 +010035 let app = clap::App::new("composd_cmd").arg(
36 clap::Arg::with_name("command")
37 .index(1)
38 .takes_value(true)
39 .required(true)
Victor Hsieh72c774c2021-11-18 15:52:28 -080040 .possible_values(&["forced-compile-test", "forced-odrefresh"]),
Alan Stokes388b88a2021-10-13 16:03:17 +010041 );
42 let args = app.get_matches();
43 let command = args.value_of("command").unwrap();
44
Alan Stokesb2cc79e2021-09-14 14:08:46 +010045 ProcessState::start_thread_pool();
46
Alan Stokes388b88a2021-10-13 16:03:17 +010047 match command {
Alan Stokes9ca14ca2021-10-20 14:25:57 +010048 "forced-compile-test" => run_forced_compile_for_test()?,
Victor Hsieh72c774c2021-11-18 15:52:28 -080049 "forced-odrefresh" => run_forced_odrefresh_for_test()?,
Alan Stokes388b88a2021-10-13 16:03:17 +010050 _ => panic!("Unexpected command {}", command),
51 }
Alan Stokesb2cc79e2021-09-14 14:08:46 +010052
53 println!("All Ok!");
54
55 Ok(())
56}
Alan Stokes9ca14ca2021-10-20 14:25:57 +010057
58struct Callback(Arc<State>);
59
60#[derive(Default)]
61struct State {
62 mutex: Mutex<Option<Outcome>>,
63 completed: Condvar,
64}
65
66#[derive(Copy, Clone)]
67enum Outcome {
68 Succeeded,
69 Failed,
70}
71
72impl Interface for Callback {}
73
74impl ICompilationTaskCallback for Callback {
75 fn onSuccess(&self) -> BinderResult<()> {
76 self.0.set_outcome(Outcome::Succeeded);
77 Ok(())
78 }
79
80 fn onFailure(&self) -> BinderResult<()> {
81 self.0.set_outcome(Outcome::Failed);
82 Ok(())
83 }
84}
85
86impl State {
87 fn set_outcome(&self, outcome: Outcome) {
88 let mut guard = self.mutex.lock().unwrap();
89 *guard = Some(outcome);
90 drop(guard);
91 self.completed.notify_all();
92 }
93
94 fn wait(&self, duration: Duration) -> Result<Outcome> {
95 let (outcome, result) = self
96 .completed
97 .wait_timeout_while(self.mutex.lock().unwrap(), duration, |outcome| outcome.is_none())
98 .unwrap();
99 if result.timed_out() {
100 bail!("Timed out waiting for compilation")
101 }
102 Ok(outcome.unwrap())
103 }
104}
105
106fn run_forced_compile_for_test() -> Result<()> {
107 let service = wait_for_interface::<dyn IIsolatedCompilationService>("android.system.composd")
108 .context("Failed to connect to composd service")?;
109
110 let state = Arc::new(State::default());
111 let callback = Callback(state.clone());
112 let callback = BnCompilationTaskCallback::new_binder(callback, BinderFeatures::default());
113 let task = service.startTestCompile(&callback).context("Compilation failed")?;
114
115 // Make sure composd keeps going even if we don't hold a reference to its service.
116 drop(service);
117
Alan Stokesdcb96022021-10-26 15:23:31 +0100118 let state_clone = state.clone();
119 let mut death_recipient = DeathRecipient::new(move || {
120 eprintln!("CompilationTask died");
121 state_clone.set_outcome(Outcome::Failed);
122 });
123 // Note that dropping death_recipient cancels this, so we can't use a temporary here.
124 task.as_binder().link_to_death(&mut death_recipient)?;
Alan Stokes9ca14ca2021-10-20 14:25:57 +0100125
126 println!("Waiting");
127
Alan Stokes17aed5c2021-10-20 14:25:57 +0100128 match state.wait(timeouts()?.odrefresh_max_execution_time) {
Alan Stokes9ca14ca2021-10-20 14:25:57 +0100129 Ok(Outcome::Succeeded) => Ok(()),
130 Ok(Outcome::Failed) => bail!("Compilation failed"),
131 Err(e) => {
132 if let Err(e) = task.cancel() {
133 eprintln!("Failed to cancel compilation: {:?}", e);
134 }
135 Err(e)
136 }
137 }
138}
Victor Hsieh72c774c2021-11-18 15:52:28 -0800139
140fn run_forced_odrefresh_for_test() -> Result<()> {
141 let service = wait_for_interface::<dyn IIsolatedCompilationService>("android.system.composd")
142 .context("Failed to connect to composd service")?;
143 let compilation_result = service.startTestOdrefresh().context("Compilation failed")?;
144 println!("odrefresh exit code: {:?}", compilation_result);
145 Ok(())
146}