blob: a98f50d16f24cd54f30a53ecd8f0c20fc704b3fe [file] [log] [blame]
Alan Stokes8c840442021-11-26 15:54:30 +00001/*
2 * Copyright 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
Alan Stokesda596932021-12-15 17:48:55 +000017//! Handle running odrefresh in the VM, with an async interface to allow cancellation
18
19use crate::fd_server_helper::FdServerConfig;
Alan Stokes8c840442021-11-26 15:54:30 +000020use crate::instance_starter::CompOsInstance;
Alan Stokes8c840442021-11-26 15:54:30 +000021use android_system_composd::aidl::android::system::composd::{
Alan Stokes81c96f32022-04-07 14:13:19 +010022 ICompilationTask::ICompilationTask,
23 ICompilationTaskCallback::{FailureReason::FailureReason, ICompilationTaskCallback},
Alan Stokes8c840442021-11-26 15:54:30 +000024};
Alan Stokes126fd512021-12-16 15:00:01 +000025use anyhow::{Context, Result};
Alan Stokes0e82b502022-08-08 14:44:48 +010026use binder::{Interface, Result as BinderResult, Strong};
Alan Stokes2d2e4db2022-01-28 16:41:52 +000027use compos_aidl_interface::aidl::com::android::compos::ICompOsService::{
Victor Hsiehe7698672022-09-23 16:22:28 -070028 CompilationMode::CompilationMode, ICompOsService, OdrefreshArgs::OdrefreshArgs,
Alan Stokes2d2e4db2022-01-28 16:41:52 +000029};
Victor Hsiehcb6d66b2022-05-10 16:12:06 -070030use compos_common::odrefresh::{
Victor Hsieh9807dcd2023-03-14 09:58:53 -070031 is_system_property_interesting, ExitCode, CURRENT_ARTIFACTS_SUBDIR, ODREFRESH_OUTPUT_ROOT_DIR,
32 PENDING_ARTIFACTS_SUBDIR,
Victor Hsiehcb6d66b2022-05-10 16:12:06 -070033};
Victor Hsiehde76d902023-03-16 11:37:52 -070034use compos_common::BUILD_MANIFEST_SYSTEM_EXT_APK_PATH;
Alan Stokes454069c2022-02-03 11:21:19 +000035use log::{error, info, warn};
Victor Hsieh9807dcd2023-03-14 09:58:53 -070036use odsign_proto::odsign_info::OdsignInfo;
37use protobuf::Message;
Alan Stokesda596932021-12-15 17:48:55 +000038use rustutils::system_properties;
Victor Hsieh9807dcd2023-03-14 09:58:53 -070039use std::fs::{remove_dir_all, File, OpenOptions};
40use std::os::fd::AsFd;
Alan Stokesda596932021-12-15 17:48:55 +000041use std::os::unix::fs::OpenOptionsExt;
Victor Hsiehbebcb872022-08-26 11:23:16 -070042use std::os::unix::io::{AsRawFd, OwnedFd};
Alan Stokesda596932021-12-15 17:48:55 +000043use std::path::Path;
Alan Stokes8c840442021-11-26 15:54:30 +000044use std::sync::{Arc, Mutex};
45use std::thread;
46
47#[derive(Clone)]
48pub struct OdrefreshTask {
49 running_task: Arc<Mutex<Option<RunningTask>>>,
50}
51
52impl Interface for OdrefreshTask {}
53
54impl ICompilationTask for OdrefreshTask {
55 fn cancel(&self) -> BinderResult<()> {
56 let task = self.take();
Alan Stokes0fc6ce52022-08-02 17:01:48 +010057 // Drop the VM, which should end compilation - and cause our thread to exit.
58 // Note that we don't do a graceful shutdown here; we've been asked to give up our resources
59 // ASAP, and the VM has not failed so we don't need to ensure VM logs are written.
Alan Stokes8c840442021-11-26 15:54:30 +000060 drop(task);
61 Ok(())
62 }
63}
64
Alan Stokesda596932021-12-15 17:48:55 +000065struct RunningTask {
66 callback: Strong<dyn ICompilationTaskCallback>,
67 #[allow(dead_code)] // Keeps the CompOS VM alive
Alan Stokes93863602022-08-03 17:23:25 +010068 comp_os: CompOsInstance,
Alan Stokesda596932021-12-15 17:48:55 +000069}
70
Alan Stokes8c840442021-11-26 15:54:30 +000071impl OdrefreshTask {
72 /// Return the current running task, if any, removing it from this CompilationTask.
73 /// Once removed, meaning the task has ended or been canceled, further calls will always return
74 /// None.
75 fn take(&self) -> Option<RunningTask> {
76 self.running_task.lock().unwrap().take()
77 }
78
79 pub fn start(
Alan Stokes93863602022-08-03 17:23:25 +010080 comp_os: CompOsInstance,
Alan Stokes2d2e4db2022-01-28 16:41:52 +000081 compilation_mode: CompilationMode,
Alan Stokesac9aa1a2021-12-14 11:32:13 +000082 target_dir_name: String,
Alan Stokes8c840442021-11-26 15:54:30 +000083 callback: &Strong<dyn ICompilationTaskCallback>,
84 ) -> Result<OdrefreshTask> {
85 let service = comp_os.get_service();
86 let task = RunningTask { comp_os, callback: callback.clone() };
87 let task = OdrefreshTask { running_task: Arc::new(Mutex::new(Some(task))) };
88
Alan Stokes2d2e4db2022-01-28 16:41:52 +000089 task.clone().start_thread(service, compilation_mode, target_dir_name);
Alan Stokes8c840442021-11-26 15:54:30 +000090
91 Ok(task)
92 }
93
Alan Stokes2d2e4db2022-01-28 16:41:52 +000094 fn start_thread(
95 self,
96 service: Strong<dyn ICompOsService>,
97 compilation_mode: CompilationMode,
98 target_dir_name: String,
99 ) {
Alan Stokes8c840442021-11-26 15:54:30 +0000100 thread::spawn(move || {
Alan Stokes2d2e4db2022-01-28 16:41:52 +0000101 let exit_code = run_in_vm(service, compilation_mode, &target_dir_name);
Alan Stokes8c840442021-11-26 15:54:30 +0000102
103 let task = self.take();
104 // We don't do the callback if cancel has already happened.
Alan Stokes0fc6ce52022-08-02 17:01:48 +0100105 if let Some(RunningTask { callback, comp_os }) = task {
Alan Stokes0fc6ce52022-08-02 17:01:48 +0100106 // Make sure we keep our service alive until we have called the callback.
Alan Stokes93863602022-08-03 17:23:25 +0100107 let lazy_service_guard = comp_os.shutdown();
Alan Stokes0fc6ce52022-08-02 17:01:48 +0100108
Alan Stokes8c840442021-11-26 15:54:30 +0000109 let result = match exit_code {
Alan Stokes454069c2022-02-03 11:21:19 +0000110 Ok(ExitCode::CompilationSuccess) => {
Victor Hsieh9807dcd2023-03-14 09:58:53 -0700111 if compilation_mode == CompilationMode::TEST_COMPILE {
112 info!("Compilation success");
113 callback.onSuccess()
114 } else {
115 // compos.info is generated only during NORMAL_COMPILE
116 if let Err(e) = enable_fsverity_to_all() {
117 let message =
118 format!("Unexpected failure when enabling fs-verity: {:?}", e);
119 error!("{}", message);
120 callback.onFailure(FailureReason::FailedToEnableFsverity, &message)
121 } else {
122 info!("Compilation success, fs-verity enabled");
123 callback.onSuccess()
124 }
125 }
Alan Stokes454069c2022-02-03 11:21:19 +0000126 }
Alan Stokes8c840442021-11-26 15:54:30 +0000127 Ok(exit_code) => {
Alan Stokes81c96f32022-04-07 14:13:19 +0100128 let message = format!("Unexpected odrefresh result: {:?}", exit_code);
129 error!("{}", message);
Alan Stokes0fc6ce52022-08-02 17:01:48 +0100130 callback.onFailure(FailureReason::UnexpectedCompilationResult, &message)
Alan Stokes8c840442021-11-26 15:54:30 +0000131 }
132 Err(e) => {
Alan Stokes81c96f32022-04-07 14:13:19 +0100133 let message = format!("Running odrefresh failed: {:?}", e);
134 error!("{}", message);
Alan Stokes0fc6ce52022-08-02 17:01:48 +0100135 callback.onFailure(FailureReason::CompilationFailed, &message)
Alan Stokes8c840442021-11-26 15:54:30 +0000136 }
137 };
138 if let Err(e) = result {
139 warn!("Failed to deliver callback: {:?}", e);
140 }
Alan Stokes0fc6ce52022-08-02 17:01:48 +0100141 drop(lazy_service_guard);
Alan Stokes8c840442021-11-26 15:54:30 +0000142 }
143 });
144 }
145}
146
Alan Stokes2d2e4db2022-01-28 16:41:52 +0000147fn run_in_vm(
148 service: Strong<dyn ICompOsService>,
149 compilation_mode: CompilationMode,
150 target_dir_name: &str,
151) -> Result<ExitCode> {
Victor Hsiehcb6d66b2022-05-10 16:12:06 -0700152 let mut names = Vec::new();
153 let mut values = Vec::new();
154 system_properties::foreach(|name, value| {
155 if is_system_property_interesting(name) {
156 names.push(name.to_owned());
157 values.push(value.to_owned());
158 }
159 })?;
160 service.initializeSystemProperties(&names, &values).context("initialize system properties")?;
161
Alan Stokes16fb8552022-02-10 15:07:27 +0000162 let output_root = Path::new(ODREFRESH_OUTPUT_ROOT_DIR);
Alan Stokes35bac3c2021-12-16 14:37:24 +0000163
164 // We need to remove the target directory because odrefresh running in compos will create it
165 // (and can't see the existing one, since authfs doesn't show it existing files in an output
166 // directory).
167 let target_path = output_root.join(target_dir_name);
Alan Stokesa4542ec2021-12-20 09:39:33 +0000168 if target_path.exists() {
169 remove_dir_all(&target_path)
170 .with_context(|| format!("Failed to delete {}", target_path.display()))?;
171 }
Alan Stokes35bac3c2021-12-16 14:37:24 +0000172
Victor Hsiehbebcb872022-08-26 11:23:16 -0700173 let staging_dir_fd = open_dir(composd_native::palette_create_odrefresh_staging_directory()?)?;
174 let system_dir_fd = open_dir(Path::new("/system"))?;
175 let output_dir_fd = open_dir(output_root)?;
176
177 // Get the raw FD before passing the ownership, since borrowing will violate the borrow check.
178 let system_dir_raw_fd = system_dir_fd.as_raw_fd();
179 let output_dir_raw_fd = output_dir_fd.as_raw_fd();
180 let staging_dir_raw_fd = staging_dir_fd.as_raw_fd();
Alan Stokesda596932021-12-15 17:48:55 +0000181
Victor Hsiehde76d902023-03-16 11:37:52 -0700182 // When the VM starts, it starts with or without mouting the extra build manifest APK from
183 // /system_ext. Later on request (here), we need to pass the directory FD of /system_ext, but
184 // only if the VM is configured to need it.
185 //
186 // It is possible to plumb the information from ComposClient to here, but it's extra complexity
187 // and feel slightly weird to encode the VM's state to the task itself, as it is a request to
188 // the VM.
189 let need_system_ext = Path::new(BUILD_MANIFEST_SYSTEM_EXT_APK_PATH).exists();
190 let (system_ext_dir_raw_fd, ro_dir_fds) = if need_system_ext {
191 let system_ext_dir_fd = open_dir(Path::new("/system_ext"))?;
192 (system_ext_dir_fd.as_raw_fd(), vec![system_dir_fd, system_ext_dir_fd])
193 } else {
194 (-1, vec![system_dir_fd])
195 };
Victor Hsieha61ec2e2022-09-21 16:25:27 -0700196
Alan Stokesda596932021-12-15 17:48:55 +0000197 // Spawn a fd_server to serve the FDs.
198 let fd_server_config = FdServerConfig {
Victor Hsieha61ec2e2022-09-21 16:25:27 -0700199 ro_dir_fds,
Victor Hsiehbebcb872022-08-26 11:23:16 -0700200 rw_dir_fds: vec![staging_dir_fd, output_dir_fd],
Alan Stokesda596932021-12-15 17:48:55 +0000201 ..Default::default()
202 };
203 let fd_server_raii = fd_server_config.into_fd_server()?;
204
Andrew Walbran014efb52022-02-03 17:43:11 +0000205 let zygote_arch = system_properties::read("ro.zygote")?.context("ro.zygote not set")?;
Victor Hsieh9bfbc5f2021-12-16 11:45:10 -0800206 let system_server_compiler_filter =
Andrew Walbran014efb52022-02-03 17:43:11 +0000207 system_properties::read("dalvik.vm.systemservercompilerfilter")?.unwrap_or_default();
Victor Hsiehe7698672022-09-23 16:22:28 -0700208
209 let args = OdrefreshArgs {
210 compilationMode: compilation_mode,
211 systemDirFd: system_dir_raw_fd,
212 systemExtDirFd: system_ext_dir_raw_fd,
213 outputDirFd: output_dir_raw_fd,
214 stagingDirFd: staging_dir_raw_fd,
215 targetDirName: target_dir_name.to_string(),
216 zygoteArch: zygote_arch,
217 systemServerCompilerFilter: system_server_compiler_filter,
218 };
219 let exit_code = service.odrefresh(&args)?;
Alan Stokesda596932021-12-15 17:48:55 +0000220
221 drop(fd_server_raii);
Alan Stokes126fd512021-12-16 15:00:01 +0000222 ExitCode::from_i32(exit_code.into())
Alan Stokesda596932021-12-15 17:48:55 +0000223}
224
Victor Hsieh9807dcd2023-03-14 09:58:53 -0700225/// Enable fs-verity to output artifacts according to compos.info in the pending directory. Any
226/// error before the completion will just abort, leaving the previous files enabled.
227fn enable_fsverity_to_all() -> Result<()> {
228 let odrefresh_current_dir = Path::new(ODREFRESH_OUTPUT_ROOT_DIR).join(CURRENT_ARTIFACTS_SUBDIR);
229 let pending_dir = Path::new(ODREFRESH_OUTPUT_ROOT_DIR).join(PENDING_ARTIFACTS_SUBDIR);
230 let mut reader =
231 File::open(&pending_dir.join("compos.info")).context("Failed to open compos.info")?;
232 let compos_info = OdsignInfo::parse_from_reader(&mut reader).context("Failed to parse")?;
233
234 for path_str in compos_info.file_hashes.keys() {
235 // Need to rebase the directory on to compos-pending first
236 if let Ok(relpath) = Path::new(path_str).strip_prefix(&odrefresh_current_dir) {
237 let path = pending_dir.join(relpath);
238 let file = File::open(&path).with_context(|| format!("Failed to open {:?}", path))?;
239 // We don't expect error. But when it happens, don't bother handle it here. For
240 // simplicity, just let odsign do the regular check.
241 fsverity::enable(file.as_fd())
242 .with_context(|| format!("Failed to enable fs-verity to {:?}", path))?;
243 } else {
244 warn!("Skip due to unexpected path: {}", path_str);
245 }
246 }
247 Ok(())
248}
249
Victor Hsiehbebcb872022-08-26 11:23:16 -0700250/// Returns an `OwnedFD` of the directory.
251fn open_dir(path: &Path) -> Result<OwnedFd> {
252 Ok(OwnedFd::from(
253 OpenOptions::new()
254 .custom_flags(libc::O_DIRECTORY)
255 .read(true) // O_DIRECTORY can only be opened with read
256 .open(path)
257 .with_context(|| format!("Failed to open {:?} directory as path fd", path))?,
258 ))
Alan Stokes8c840442021-11-26 15:54:30 +0000259}