1 /*
2 * Copyright (C) 2007 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 #include "devices.h"
18
19 #include <errno.h>
20 #include <fnmatch.h>
21 #include <sys/sysmacros.h>
22 #include <unistd.h>
23
24 #include <chrono>
25 #include <filesystem>
26 #include <memory>
27 #include <string>
28 #include <thread>
29
30 #include <android-base/chrono_utils.h>
31 #include <android-base/file.h>
32 #include <android-base/logging.h>
33 #include <android-base/stringprintf.h>
34 #include <android-base/strings.h>
35 #include <private/android_filesystem_config.h>
36 #include <selinux/android.h>
37 #include <selinux/selinux.h>
38
39 #include "selabel.h"
40 #include "util.h"
41
42 using namespace std::chrono_literals;
43
44 using android::base::Basename;
45 using android::base::Dirname;
46 using android::base::ReadFileToString;
47 using android::base::Readlink;
48 using android::base::Realpath;
49 using android::base::Split;
50 using android::base::StartsWith;
51 using android::base::StringPrintf;
52 using android::base::Trim;
53
54 namespace android {
55 namespace init {
56
57 /* Given a path that may start with a PCI device, populate the supplied buffer
58 * with the PCI domain/bus number and the peripheral ID and return 0.
59 * If it doesn't start with a PCI device, or there is some error, return -1 */
FindPciDevicePrefix(const std::string & path,std::string * result)60 static bool FindPciDevicePrefix(const std::string& path, std::string* result) {
61 result->clear();
62
63 if (!StartsWith(path, "/devices/pci")) return false;
64
65 /* Beginning of the prefix is the initial "pci" after "/devices/" */
66 std::string::size_type start = 9;
67
68 /* End of the prefix is two path '/' later, capturing the domain/bus number
69 * and the peripheral ID. Example: pci0000:00/0000:00:1f.2 */
70 auto end = path.find('/', start);
71 if (end == std::string::npos) return false;
72
73 end = path.find('/', end + 1);
74 if (end == std::string::npos) return false;
75
76 auto length = end - start;
77 if (length <= 4) {
78 // The minimum string that will get to this check is 'pci/', which is malformed,
79 // so return false
80 return false;
81 }
82
83 *result = path.substr(start, length);
84 return true;
85 }
86
87 /* Given a path that may start with a virtual block device, populate
88 * the supplied buffer with the virtual block device ID and return 0.
89 * If it doesn't start with a virtual block device, or there is some
90 * error, return -1 */
FindVbdDevicePrefix(const std::string & path,std::string * result)91 static bool FindVbdDevicePrefix(const std::string& path, std::string* result) {
92 result->clear();
93
94 if (!StartsWith(path, "/devices/vbd-")) return false;
95
96 /* Beginning of the prefix is the initial "vbd-" after "/devices/" */
97 std::string::size_type start = 13;
98
99 /* End of the prefix is one path '/' later, capturing the
100 virtual block device ID. Example: 768 */
101 auto end = path.find('/', start);
102 if (end == std::string::npos) return false;
103
104 auto length = end - start;
105 if (length == 0) return false;
106
107 *result = path.substr(start, length);
108 return true;
109 }
110
111 // Given a path that may start with a virtual dm block device, populate
112 // the supplied buffer with the dm module's instantiated name.
113 // If it doesn't start with a virtual block device, or there is some
114 // error, return false.
FindDmDevice(const std::string & path,std::string * name,std::string * uuid)115 static bool FindDmDevice(const std::string& path, std::string* name, std::string* uuid) {
116 if (!StartsWith(path, "/devices/virtual/block/dm-")) return false;
117
118 if (!ReadFileToString("/sys" + path + "/dm/name", name)) {
119 return false;
120 }
121 ReadFileToString("/sys" + path + "/dm/uuid", uuid);
122
123 *name = android::base::Trim(*name);
124 *uuid = android::base::Trim(*uuid);
125 return true;
126 }
127
Permissions(const std::string & name,mode_t perm,uid_t uid,gid_t gid,bool no_fnm_pathname)128 Permissions::Permissions(const std::string& name, mode_t perm, uid_t uid, gid_t gid,
129 bool no_fnm_pathname)
130 : name_(name),
131 perm_(perm),
132 uid_(uid),
133 gid_(gid),
134 prefix_(false),
135 wildcard_(false),
136 no_fnm_pathname_(no_fnm_pathname) {
137 // Set 'prefix_' or 'wildcard_' based on the below cases:
138 //
139 // 1) No '*' in 'name' -> Neither are set and Match() checks a given path for strict
140 // equality with 'name'
141 //
142 // 2) '*' only appears as the last character in 'name' -> 'prefix'_ is set to true and
143 // Match() checks if 'name' is a prefix of a given path.
144 //
145 // 3) '*' appears elsewhere -> 'wildcard_' is set to true and Match() uses fnmatch()
146 // with FNM_PATHNAME to compare 'name' to a given path.
147 auto wildcard_position = name_.find('*');
148 if (wildcard_position != std::string::npos) {
149 if (wildcard_position == name_.length() - 1) {
150 prefix_ = true;
151 name_.pop_back();
152 } else {
153 wildcard_ = true;
154 }
155 }
156 }
157
Match(const std::string & path) const158 bool Permissions::Match(const std::string& path) const {
159 if (prefix_) return StartsWith(path, name_);
160 if (wildcard_)
161 return fnmatch(name_.c_str(), path.c_str(), no_fnm_pathname_ ? 0 : FNM_PATHNAME) == 0;
162 return path == name_;
163 }
164
MatchWithSubsystem(const std::string & path,const std::string & subsystem) const165 bool SysfsPermissions::MatchWithSubsystem(const std::string& path,
166 const std::string& subsystem) const {
167 std::string path_basename = Basename(path);
168 if (name().find(subsystem) != std::string::npos) {
169 if (Match("/sys/class/" + subsystem + "/" + path_basename)) return true;
170 if (Match("/sys/bus/" + subsystem + "/devices/" + path_basename)) return true;
171 }
172 return Match(path);
173 }
174
SetPermissions(const std::string & path) const175 void SysfsPermissions::SetPermissions(const std::string& path) const {
176 std::string attribute_file = path + "/" + attribute_;
177 LOG(VERBOSE) << "fixup " << attribute_file << " " << uid() << " " << gid() << " " << std::oct
178 << perm();
179
180 if (access(attribute_file.c_str(), F_OK) == 0) {
181 if (chown(attribute_file.c_str(), uid(), gid()) != 0) {
182 PLOG(ERROR) << "chown(" << attribute_file << ", " << uid() << ", " << gid()
183 << ") failed";
184 }
185 if (chmod(attribute_file.c_str(), perm()) != 0) {
186 PLOG(ERROR) << "chmod(" << attribute_file << ", " << perm() << ") failed";
187 }
188 }
189 }
190
GetPartitionNameForDevice(const std::string & query_device)191 std::string DeviceHandler::GetPartitionNameForDevice(const std::string& query_device) {
192 static const auto partition_map = [] {
193 std::vector<std::pair<std::string, std::string>> partition_map;
194 auto parser = [&partition_map](const std::string& key, const std::string& value) {
195 if (key != "androidboot.partition_map") {
196 return;
197 }
198 for (const auto& map : Split(value, ";")) {
199 auto map_pieces = Split(map, ",");
200 if (map_pieces.size() != 2) {
201 LOG(ERROR) << "Expected a comma separated device,partition mapping, but found '"
202 << map << "'";
203 continue;
204 }
205 partition_map.emplace_back(map_pieces[0], map_pieces[1]);
206 }
207 };
208 ImportKernelCmdline(parser);
209 ImportBootconfig(parser);
210 return partition_map;
211 }();
212
213 for (const auto& [device, partition] : partition_map) {
214 if (query_device == device) {
215 return partition;
216 }
217 }
218 return {};
219 }
220
221 // Given a path that may start with a platform device, find the parent platform device by finding a
222 // parent directory with a 'subsystem' symlink that points to the platform bus.
223 // If it doesn't start with a platform device, return false
FindPlatformDevice(std::string path,std::string * platform_device_path) const224 bool DeviceHandler::FindPlatformDevice(std::string path, std::string* platform_device_path) const {
225 platform_device_path->clear();
226
227 // Uevents don't contain the mount point, so we need to add it here.
228 path.insert(0, sysfs_mount_point_);
229
230 std::string directory = Dirname(path);
231
232 while (directory != "/" && directory != ".") {
233 std::string subsystem_link_path;
234 if (Realpath(directory + "/subsystem", &subsystem_link_path) &&
235 (subsystem_link_path == sysfs_mount_point_ + "/bus/platform" ||
236 subsystem_link_path == sysfs_mount_point_ + "/bus/amba")) {
237 // We need to remove the mount point that we added above before returning.
238 directory.erase(0, sysfs_mount_point_.size());
239 *platform_device_path = directory;
240 return true;
241 }
242
243 auto last_slash = path.rfind('/');
244 if (last_slash == std::string::npos) return false;
245
246 path.erase(last_slash);
247 directory = Dirname(path);
248 }
249
250 return false;
251 }
252
FixupSysPermissions(const std::string & upath,const std::string & subsystem) const253 void DeviceHandler::FixupSysPermissions(const std::string& upath,
254 const std::string& subsystem) const {
255 // upaths omit the "/sys" that paths in this list
256 // contain, so we prepend it...
257 std::string path = "/sys" + upath;
258
259 for (const auto& s : sysfs_permissions_) {
260 if (s.MatchWithSubsystem(path, subsystem)) s.SetPermissions(path);
261 }
262
263 if (!skip_restorecon_ && access(path.c_str(), F_OK) == 0) {
264 LOG(VERBOSE) << "restorecon_recursive: " << path;
265 if (selinux_android_restorecon(path.c_str(), SELINUX_ANDROID_RESTORECON_RECURSE) != 0) {
266 PLOG(ERROR) << "selinux_android_restorecon(" << path << ") failed";
267 }
268 }
269 }
270
GetDevicePermissions(const std::string & path,const std::vector<std::string> & links) const271 std::tuple<mode_t, uid_t, gid_t> DeviceHandler::GetDevicePermissions(
272 const std::string& path, const std::vector<std::string>& links) const {
273 // Search the perms list in reverse so that ueventd.$hardware can override ueventd.rc.
274 for (auto it = dev_permissions_.crbegin(); it != dev_permissions_.crend(); ++it) {
275 if (it->Match(path) || std::any_of(links.cbegin(), links.cend(),
276 [it](const auto& link) { return it->Match(link); })) {
277 return {it->perm(), it->uid(), it->gid()};
278 }
279 }
280 /* Default if nothing found. */
281 return {0600, 0, 0};
282 }
283
MakeDevice(const std::string & path,bool block,int major,int minor,const std::vector<std::string> & links) const284 void DeviceHandler::MakeDevice(const std::string& path, bool block, int major, int minor,
285 const std::vector<std::string>& links) const {
286 auto[mode, uid, gid] = GetDevicePermissions(path, links);
287 mode |= (block ? S_IFBLK : S_IFCHR);
288
289 std::string secontext;
290 if (!SelabelLookupFileContextBestMatch(path, links, mode, &secontext)) {
291 PLOG(ERROR) << "Device '" << path << "' not created; cannot find SELinux label";
292 return;
293 }
294 if (!secontext.empty()) {
295 setfscreatecon(secontext.c_str());
296 }
297
298 gid_t new_group = -1;
299
300 dev_t dev = makedev(major, minor);
301 /* Temporarily change egid to avoid race condition setting the gid of the
302 * device node. Unforunately changing the euid would prevent creation of
303 * some device nodes, so the uid has to be set with chown() and is still
304 * racy. Fixing the gid race at least fixed the issue with system_server
305 * opening dynamic input devices under the AID_INPUT gid. */
306 if (setegid(gid)) {
307 PLOG(ERROR) << "setegid(" << gid << ") for " << path << " device failed";
308 goto out;
309 }
310 /* If the node already exists update its SELinux label to handle cases when
311 * it was created with the wrong context during coldboot procedure. */
312 if (mknod(path.c_str(), mode, dev) && (errno == EEXIST) && !secontext.empty()) {
313 char* fcon = nullptr;
314 int rc = lgetfilecon(path.c_str(), &fcon);
315 if (rc < 0) {
316 PLOG(ERROR) << "Cannot get SELinux label on '" << path << "' device";
317 goto out;
318 }
319
320 bool different = fcon != secontext;
321 freecon(fcon);
322
323 if (different && lsetfilecon(path.c_str(), secontext.c_str())) {
324 PLOG(ERROR) << "Cannot set '" << secontext << "' SELinux label on '" << path
325 << "' device";
326 }
327
328 struct stat s;
329 if (stat(path.c_str(), &s) == 0) {
330 if (gid != s.st_gid) {
331 new_group = gid;
332 }
333 } else {
334 PLOG(ERROR) << "Cannot stat " << path;
335 }
336 }
337
338 out:
339 if (chown(path.c_str(), uid, new_group) < 0) {
340 PLOG(ERROR) << "Cannot chown " << path << " " << uid << " " << new_group;
341 }
342 if (setegid(AID_ROOT)) {
343 PLOG(FATAL) << "setegid(AID_ROOT) failed";
344 }
345
346 if (!secontext.empty()) {
347 setfscreatecon(nullptr);
348 }
349 }
350
351 // replaces any unacceptable characters with '_', the
352 // length of the resulting string is equal to the input string
SanitizePartitionName(std::string * string)353 void SanitizePartitionName(std::string* string) {
354 const char* accept =
355 "abcdefghijklmnopqrstuvwxyz"
356 "ABCDEFGHIJKLMNOPQRSTUVWXYZ"
357 "0123456789"
358 "_-.";
359
360 if (!string) return;
361
362 std::string::size_type pos = 0;
363 while ((pos = string->find_first_not_of(accept, pos)) != std::string::npos) {
364 (*string)[pos] = '_';
365 }
366 }
367
GetBlockDeviceSymlinks(const Uevent & uevent) const368 std::vector<std::string> DeviceHandler::GetBlockDeviceSymlinks(const Uevent& uevent) const {
369 std::string device;
370 std::string type;
371 std::string partition;
372 std::string uuid;
373
374 if (FindPlatformDevice(uevent.path, &device)) {
375 // Skip /devices/platform or /devices/ if present
376 static const std::string devices_platform_prefix = "/devices/platform/";
377 static const std::string devices_prefix = "/devices/";
378
379 if (StartsWith(device, devices_platform_prefix)) {
380 device = device.substr(devices_platform_prefix.length());
381 } else if (StartsWith(device, devices_prefix)) {
382 device = device.substr(devices_prefix.length());
383 }
384
385 type = "platform";
386 } else if (FindPciDevicePrefix(uevent.path, &device)) {
387 type = "pci";
388 } else if (FindVbdDevicePrefix(uevent.path, &device)) {
389 type = "vbd";
390 } else if (FindDmDevice(uevent.path, &partition, &uuid)) {
391 std::vector<std::string> symlinks = {"/dev/block/mapper/" + partition};
392 if (!uuid.empty()) {
393 symlinks.emplace_back("/dev/block/mapper/by-uuid/" + uuid);
394 }
395 return symlinks;
396 } else {
397 return {};
398 }
399
400 std::vector<std::string> links;
401
402 LOG(VERBOSE) << "found " << type << " device " << device;
403
404 auto link_path = "/dev/block/" + type + "/" + device;
405
406 bool is_boot_device = boot_devices_.find(device) != boot_devices_.end();
407 if (!uevent.partition_name.empty()) {
408 std::string partition_name_sanitized(uevent.partition_name);
409 SanitizePartitionName(&partition_name_sanitized);
410 if (partition_name_sanitized != uevent.partition_name) {
411 LOG(VERBOSE) << "Linking partition '" << uevent.partition_name << "' as '"
412 << partition_name_sanitized << "'";
413 }
414 links.emplace_back(link_path + "/by-name/" + partition_name_sanitized);
415 // Adds symlink: /dev/block/by-name/<partition_name>.
416 if (is_boot_device) {
417 links.emplace_back("/dev/block/by-name/" + partition_name_sanitized);
418 }
419 } else if (is_boot_device) {
420 // If we don't have a partition name but we are a partition on a boot device, create a
421 // symlink of /dev/block/by-name/<device_name> for symmetry.
422 links.emplace_back("/dev/block/by-name/" + uevent.device_name);
423 auto partition_name = GetPartitionNameForDevice(uevent.device_name);
424 if (!partition_name.empty()) {
425 links.emplace_back("/dev/block/by-name/" + partition_name);
426 }
427 }
428
429 auto last_slash = uevent.path.rfind('/');
430 links.emplace_back(link_path + "/" + uevent.path.substr(last_slash + 1));
431
432 return links;
433 }
434
RemoveDeviceMapperLinks(const std::string & devpath)435 static void RemoveDeviceMapperLinks(const std::string& devpath) {
436 std::vector<std::string> dirs = {
437 "/dev/block/mapper",
438 "/dev/block/mapper/by-uuid",
439 };
440 for (const auto& dir : dirs) {
441 if (access(dir.c_str(), F_OK) != 0) continue;
442
443 std::unique_ptr<DIR, decltype(&closedir)> dh(opendir(dir.c_str()), closedir);
444 if (!dh) {
445 PLOG(ERROR) << "Failed to open directory " << dir;
446 continue;
447 }
448
449 struct dirent* dp;
450 std::string link_path;
451 while ((dp = readdir(dh.get())) != nullptr) {
452 if (dp->d_type != DT_LNK) continue;
453
454 auto path = dir + "/" + dp->d_name;
455 if (Readlink(path, &link_path) && link_path == devpath) {
456 unlink(path.c_str());
457 }
458 }
459 }
460 }
461
HandleDevice(const std::string & action,const std::string & devpath,bool block,int major,int minor,const std::vector<std::string> & links) const462 void DeviceHandler::HandleDevice(const std::string& action, const std::string& devpath, bool block,
463 int major, int minor, const std::vector<std::string>& links) const {
464 if (action == "add") {
465 MakeDevice(devpath, block, major, minor, links);
466 }
467
468 // We don't have full device-mapper information until a change event is fired.
469 if (action == "add" || (action == "change" && StartsWith(devpath, "/dev/block/dm-"))) {
470 for (const auto& link : links) {
471 if (!mkdir_recursive(Dirname(link), 0755)) {
472 PLOG(ERROR) << "Failed to create directory " << Dirname(link);
473 }
474
475 if (symlink(devpath.c_str(), link.c_str())) {
476 if (errno != EEXIST) {
477 PLOG(ERROR) << "Failed to symlink " << devpath << " to " << link;
478 } else if (std::string link_path;
479 Readlink(link, &link_path) && link_path != devpath) {
480 PLOG(ERROR) << "Failed to symlink " << devpath << " to " << link
481 << ", which already links to: " << link_path;
482 }
483 }
484 }
485 }
486
487 if (action == "remove") {
488 if (StartsWith(devpath, "/dev/block/dm-")) {
489 RemoveDeviceMapperLinks(devpath);
490 }
491 for (const auto& link : links) {
492 std::string link_path;
493 if (Readlink(link, &link_path) && link_path == devpath) {
494 unlink(link.c_str());
495 }
496 }
497 unlink(devpath.c_str());
498 }
499 }
500
HandleAshmemUevent(const Uevent & uevent)501 void DeviceHandler::HandleAshmemUevent(const Uevent& uevent) {
502 if (uevent.device_name == "ashmem") {
503 static const std::string boot_id_path = "/proc/sys/kernel/random/boot_id";
504 std::string boot_id;
505 if (!ReadFileToString(boot_id_path, &boot_id)) {
506 PLOG(ERROR) << "Cannot duplicate ashmem device node. Failed to read " << boot_id_path;
507 return;
508 };
509 boot_id = Trim(boot_id);
510
511 Uevent dup_ashmem_uevent = uevent;
512 dup_ashmem_uevent.device_name += boot_id;
513 dup_ashmem_uevent.path += boot_id;
514 HandleUevent(dup_ashmem_uevent);
515 }
516 }
517
HandleUevent(const Uevent & uevent)518 void DeviceHandler::HandleUevent(const Uevent& uevent) {
519 if (uevent.action == "add" || uevent.action == "change" ||
520 uevent.action == "bind" || uevent.action == "online") {
521 FixupSysPermissions(uevent.path, uevent.subsystem);
522 }
523
524 // if it's not a /dev device, nothing to do
525 if (uevent.major < 0 || uevent.minor < 0) return;
526
527 std::string devpath;
528 std::vector<std::string> links;
529 bool block = false;
530
531 if (uevent.subsystem == "block") {
532 block = true;
533 devpath = "/dev/block/" + Basename(uevent.path);
534
535 if (StartsWith(uevent.path, "/devices")) {
536 links = GetBlockDeviceSymlinks(uevent);
537 }
538 } else if (const auto subsystem =
539 std::find(subsystems_.cbegin(), subsystems_.cend(), uevent.subsystem);
540 subsystem != subsystems_.cend()) {
541 devpath = subsystem->ParseDevPath(uevent);
542 } else if (uevent.subsystem == "usb") {
543 if (!uevent.device_name.empty()) {
544 devpath = "/dev/" + uevent.device_name;
545 } else {
546 // This imitates the file system that would be created
547 // if we were using devfs instead.
548 // Minors are broken up into groups of 128, starting at "001"
549 int bus_id = uevent.minor / 128 + 1;
550 int device_id = uevent.minor % 128 + 1;
551 devpath = StringPrintf("/dev/bus/usb/%03d/%03d", bus_id, device_id);
552 }
553 } else if (StartsWith(uevent.subsystem, "usb")) {
554 // ignore other USB events
555 return;
556 } else if (uevent.subsystem == "misc" && StartsWith(uevent.device_name, "dm-user/")) {
557 devpath = "/dev/dm-user/" + uevent.device_name.substr(8);
558 } else {
559 devpath = "/dev/" + Basename(uevent.path);
560 }
561
562 mkdir_recursive(Dirname(devpath), 0755);
563
564 HandleDevice(uevent.action, devpath, block, uevent.major, uevent.minor, links);
565
566 // Duplicate /dev/ashmem device and name it /dev/ashmem<boot_id>.
567 // TODO(b/111903542): remove once all users of /dev/ashmem are migrated to libcutils API.
568 HandleAshmemUevent(uevent);
569 }
570
ColdbootDone()571 void DeviceHandler::ColdbootDone() {
572 skip_restorecon_ = false;
573 }
574
DeviceHandler(std::vector<Permissions> dev_permissions,std::vector<SysfsPermissions> sysfs_permissions,std::vector<Subsystem> subsystems,std::set<std::string> boot_devices,bool skip_restorecon)575 DeviceHandler::DeviceHandler(std::vector<Permissions> dev_permissions,
576 std::vector<SysfsPermissions> sysfs_permissions,
577 std::vector<Subsystem> subsystems, std::set<std::string> boot_devices,
578 bool skip_restorecon)
579 : dev_permissions_(std::move(dev_permissions)),
580 sysfs_permissions_(std::move(sysfs_permissions)),
581 subsystems_(std::move(subsystems)),
582 boot_devices_(std::move(boot_devices)),
583 skip_restorecon_(skip_restorecon),
584 sysfs_mount_point_("/sys") {}
585
DeviceHandler()586 DeviceHandler::DeviceHandler()
587 : DeviceHandler(std::vector<Permissions>{}, std::vector<SysfsPermissions>{},
588 std::vector<Subsystem>{}, std::set<std::string>{}, false) {}
589
590 } // namespace init
591 } // namespace android
592