blob: dca64cb98fe26fda181f4f423e9e12697ffb321c [file] [log] [blame]
David Brazdil1f530702022-10-03 12:18:10 +01001// Copyright 2022, The Android Open Source Project
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7// http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15//! Android Virtualization Manager
16
17mod aidl;
18mod atom;
19mod composite;
20mod crosvm;
21mod payload;
22mod selinux;
23
David Brazdil4b4c5102022-12-19 22:56:20 +000024use crate::aidl::{GLOBAL_SERVICE, VirtualizationService};
David Brazdil1f530702022-10-03 12:18:10 +010025use android_system_virtualizationservice::aidl::android::system::virtualizationservice::IVirtualizationService::BnVirtualizationService;
26use anyhow::{bail, Context};
David Brazdil4b4c5102022-12-19 22:56:20 +000027use binder::{BinderFeatures, ProcessState};
David Brazdil1f530702022-10-03 12:18:10 +010028use lazy_static::lazy_static;
29use log::{info, Level};
30use rpcbinder::{FileDescriptorTransportMode, RpcServer};
31use std::os::unix::io::{FromRawFd, OwnedFd, RawFd};
32use clap::Parser;
David Brazdil161ddda2023-01-06 20:29:19 +000033use nix::fcntl::{fcntl, F_GETFD, F_SETFD, FdFlag};
David Brazdil1f530702022-10-03 12:18:10 +010034use nix::unistd::{Pid, Uid};
35use std::os::unix::raw::{pid_t, uid_t};
Alan Stokes8d39a9b2023-01-10 15:01:00 +000036use rustutils::system_properties;
David Brazdil1f530702022-10-03 12:18:10 +010037
38const LOG_TAG: &str = "virtmgr";
39
40lazy_static! {
41 static ref PID_PARENT: Pid = Pid::parent();
42 static ref UID_CURRENT: Uid = Uid::current();
43}
44
45fn get_calling_pid() -> pid_t {
46 // The caller is the parent of this process.
47 PID_PARENT.as_raw()
48}
49
50fn get_calling_uid() -> uid_t {
51 // The caller and this process share the same UID.
52 UID_CURRENT.as_raw()
53}
54
55#[derive(Parser)]
56struct Args {
57 /// File descriptor inherited from the caller to run RpcBinder server on.
58 /// This should be one end of a socketpair() compatible with RpcBinder's
59 /// UDS bootstrap transport.
60 #[clap(long)]
61 rpc_server_fd: RawFd,
62 /// File descriptor inherited from the caller to signal RpcBinder server
63 /// readiness. This should be one end of pipe() and the caller should be
64 /// waiting for HUP on the other end.
65 #[clap(long)]
66 ready_fd: RawFd,
67}
68
69fn take_fd_ownership(raw_fd: RawFd, owned_fds: &mut Vec<RawFd>) -> Result<OwnedFd, anyhow::Error> {
70 // Basic check that the integer value does correspond to a file descriptor.
David Brazdil161ddda2023-01-06 20:29:19 +000071 fcntl(raw_fd, F_GETFD).with_context(|| format!("Invalid file descriptor {raw_fd}"))?;
72
73 // The file descriptor had CLOEXEC disabled to be inherited from the parent.
74 // Re-enable it to make sure it is not accidentally inherited further.
75 fcntl(raw_fd, F_SETFD(FdFlag::FD_CLOEXEC))
76 .with_context(|| format!("Could not set CLOEXEC on file descriptor {raw_fd}"))?;
David Brazdil1f530702022-10-03 12:18:10 +010077
78 // Creating OwnedFd for stdio FDs is not safe.
79 if [libc::STDIN_FILENO, libc::STDOUT_FILENO, libc::STDERR_FILENO].contains(&raw_fd) {
80 bail!("File descriptor {raw_fd} is standard I/O descriptor");
81 }
82
83 // Reject RawFds that already have a corresponding OwnedFd.
84 if owned_fds.contains(&raw_fd) {
85 bail!("File descriptor {raw_fd} already owned");
86 }
87 owned_fds.push(raw_fd);
88
89 // SAFETY - Initializing OwnedFd for a RawFd provided in cmdline arguments.
90 // We checked that the integer value corresponds to a valid FD and that this
91 // is the first argument to claim its ownership.
92 Ok(unsafe { OwnedFd::from_raw_fd(raw_fd) })
93}
94
Alan Stokes8d39a9b2023-01-10 15:01:00 +000095fn is_property_set(name: &str) -> bool {
96 system_properties::read_bool(name, false)
97 .unwrap_or_else(|e| panic!("Failed to read {name}: {e:?}"))
98}
99
David Brazdil1f530702022-10-03 12:18:10 +0100100fn main() {
101 android_logger::init_once(
102 android_logger::Config::default()
103 .with_tag(LOG_TAG)
104 .with_min_level(Level::Info)
105 .with_log_id(android_logger::LogId::System),
106 );
107
Alan Stokes8d39a9b2023-01-10 15:01:00 +0000108 let non_protected_vm_supported = is_property_set("ro.boot.hypervisor.vm.supported");
109 let protected_vm_supported = is_property_set("ro.boot.hypervisor.protected_vm.supported");
110 if !non_protected_vm_supported && !protected_vm_supported {
111 // This should never happen, it indicates a misconfigured device where the virt APEX
112 // is present but VMs are not supported. If it does happen, fail fast to avoid wasting
113 // resources trying.
114 panic!("Device doesn't support protected or unprotected VMs");
115 }
116
David Brazdil1f530702022-10-03 12:18:10 +0100117 let args = Args::parse();
118
119 let mut owned_fds = vec![];
120 let rpc_server_fd = take_fd_ownership(args.rpc_server_fd, &mut owned_fds)
121 .expect("Failed to take ownership of rpc_server_fd");
122 let ready_fd = take_fd_ownership(args.ready_fd, &mut owned_fds)
123 .expect("Failed to take ownership of ready_fd");
124
David Brazdil4b4c5102022-12-19 22:56:20 +0000125 // Start thread pool for kernel Binder connection to VirtualizationServiceInternal.
126 ProcessState::start_thread_pool();
127
128 GLOBAL_SERVICE.removeMemlockRlimit().expect("Failed to remove memlock rlimit");
129
David Brazdil1f530702022-10-03 12:18:10 +0100130 let service = VirtualizationService::init();
131 let service =
132 BnVirtualizationService::new_binder(service, BinderFeatures::default()).as_binder();
133
134 let server = RpcServer::new_unix_domain_bootstrap(service, rpc_server_fd)
135 .expect("Failed to start RpcServer");
136 server.set_supported_file_descriptor_transport_modes(&[FileDescriptorTransportMode::Unix]);
137
138 info!("Started VirtualizationService RpcServer. Ready to accept connections");
139
140 // Signal readiness to the caller by closing our end of the pipe.
141 drop(ready_fd);
142
143 server.join();
144 info!("Shutting down VirtualizationService RpcServer");
145}