xref: /aosp_15_r20/system/core/init/devices.cpp (revision 00c7fec1bb09f3284aad6a6f96d2f63dfc3650ad)
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 <string_view>
29 #include <thread>
30 
31 #include <android-base/chrono_utils.h>
32 #include <android-base/file.h>
33 #include <android-base/logging.h>
34 #include <android-base/stringprintf.h>
35 #include <android-base/strings.h>
36 #include <fs_mgr.h>
37 #include <libdm/dm.h>
38 #include <private/android_filesystem_config.h>
39 #include <selinux/android.h>
40 #include <selinux/selinux.h>
41 
42 #include "selabel.h"
43 #include "util.h"
44 
45 using namespace std::chrono_literals;
46 
47 using android::base::Basename;
48 using android::base::ConsumePrefix;
49 using android::base::Dirname;
50 using android::base::ReadFileToString;
51 using android::base::Readlink;
52 using android::base::Realpath;
53 using android::base::Split;
54 using android::base::StartsWith;
55 using android::base::StringPrintf;
56 using android::base::Trim;
57 
58 namespace android {
59 namespace init {
60 
61 /* Given a path that may start with a PCI device, populate the supplied buffer
62  * with the PCI domain/bus number and the peripheral ID and return 0.
63  * If it doesn't start with a PCI device, or there is some error, return -1 */
FindPciDevicePrefix(const std::string & path,std::string * result)64 static bool FindPciDevicePrefix(const std::string& path, std::string* result) {
65     result->clear();
66 
67     if (!StartsWith(path, "/devices/pci")) return false;
68 
69     /* Beginning of the prefix is the initial "pci" after "/devices/" */
70     std::string::size_type start = 9;
71 
72     /* End of the prefix is two path '/' later, capturing the domain/bus number
73      * and the peripheral ID. Example: pci0000:00/0000:00:1f.2 */
74     auto end = path.find('/', start);
75     if (end == std::string::npos) return false;
76 
77     end = path.find('/', end + 1);
78     if (end == std::string::npos) return false;
79 
80     auto length = end - start;
81     if (length <= 4) {
82         // The minimum string that will get to this check is 'pci/', which is malformed,
83         // so return false
84         return false;
85     }
86 
87     *result = path.substr(start, length);
88     return true;
89 }
90 
91 /* Given a path that may start with a virtual block device, populate
92  * the supplied buffer with the virtual block device ID and return 0.
93  * If it doesn't start with a virtual block device, or there is some
94  * error, return -1 */
FindVbdDevicePrefix(const std::string & path,std::string * result)95 static bool FindVbdDevicePrefix(const std::string& path, std::string* result) {
96     result->clear();
97 
98     if (!StartsWith(path, "/devices/vbd-")) return false;
99 
100     /* Beginning of the prefix is the initial "vbd-" after "/devices/" */
101     std::string::size_type start = 13;
102 
103     /* End of the prefix is one path '/' later, capturing the
104        virtual block device ID. Example: 768 */
105     auto end = path.find('/', start);
106     if (end == std::string::npos) return false;
107 
108     auto length = end - start;
109     if (length == 0) return false;
110 
111     *result = path.substr(start, length);
112     return true;
113 }
114 
115 // Given a path that may start with a virtual dm block device, populate
116 // the supplied buffer with the dm module's instantiated name.
117 // If it doesn't start with a virtual block device, or there is some
118 // error, return false.
FindDmDevice(const Uevent & uevent,std::string * name,std::string * uuid)119 static bool FindDmDevice(const Uevent& uevent, std::string* name, std::string* uuid) {
120     if (!StartsWith(uevent.path, "/devices/virtual/block/dm-")) return false;
121     if (uevent.action == "remove") return false;  // Avoid error spam from ioctl
122 
123     dev_t dev = makedev(uevent.major, uevent.minor);
124 
125     auto& dm = android::dm::DeviceMapper::Instance();
126     return dm.GetDeviceNameAndUuid(dev, name, uuid);
127 }
128 
Permissions(const std::string & name,mode_t perm,uid_t uid,gid_t gid,bool no_fnm_pathname)129 Permissions::Permissions(const std::string& name, mode_t perm, uid_t uid, gid_t gid,
130                          bool no_fnm_pathname)
131     : name_(name),
132       perm_(perm),
133       uid_(uid),
134       gid_(gid),
135       prefix_(false),
136       wildcard_(false),
137       no_fnm_pathname_(no_fnm_pathname) {
138     // Set 'prefix_' or 'wildcard_' based on the below cases:
139     //
140     // 1) No '*' in 'name' -> Neither are set and Match() checks a given path for strict
141     //    equality with 'name'
142     //
143     // 2) '*' only appears as the last character in 'name' -> 'prefix'_ is set to true and
144     //    Match() checks if 'name' is a prefix of a given path.
145     //
146     // 3) '*' appears elsewhere -> 'wildcard_' is set to true and Match() uses fnmatch()
147     //    with FNM_PATHNAME to compare 'name' to a given path.
148     auto wildcard_position = name_.find('*');
149     if (wildcard_position != std::string::npos) {
150         if (wildcard_position == name_.length() - 1) {
151             prefix_ = true;
152             name_.pop_back();
153         } else {
154             wildcard_ = true;
155         }
156     }
157 }
158 
Match(const std::string & path) const159 bool Permissions::Match(const std::string& path) const {
160     if (prefix_) return StartsWith(path, name_);
161     if (wildcard_)
162         return fnmatch(name_.c_str(), path.c_str(), no_fnm_pathname_ ? 0 : FNM_PATHNAME) == 0;
163     return path == name_;
164 }
165 
MatchWithSubsystem(const std::string & path,const std::string & subsystem) const166 bool SysfsPermissions::MatchWithSubsystem(const std::string& path,
167                                           const std::string& subsystem) const {
168     std::string path_basename = Basename(path);
169     if (name().find(subsystem) != std::string::npos) {
170         if (Match("/sys/class/" + subsystem + "/" + path_basename)) return true;
171         if (Match("/sys/bus/" + subsystem + "/devices/" + path_basename)) return true;
172     }
173     return Match(path);
174 }
175 
SetPermissions(const std::string & path) const176 void SysfsPermissions::SetPermissions(const std::string& path) const {
177     std::string attribute_file = path + "/" + attribute_;
178     LOG(VERBOSE) << "fixup " << attribute_file << " " << uid() << " " << gid() << " " << std::oct
179                  << perm();
180 
181     if (access(attribute_file.c_str(), F_OK) == 0) {
182         if (chown(attribute_file.c_str(), uid(), gid()) != 0) {
183             PLOG(ERROR) << "chown(" << attribute_file << ", " << uid() << ", " << gid()
184                         << ") failed";
185         }
186         if (chmod(attribute_file.c_str(), perm()) != 0) {
187             PLOG(ERROR) << "chmod(" << attribute_file << ", " << perm() << ") failed";
188         }
189     }
190 }
191 
GetBlockDeviceInfo(const std::string & uevent_path) const192 BlockDeviceInfo DeviceHandler::GetBlockDeviceInfo(const std::string& uevent_path) const {
193     BlockDeviceInfo info;
194 
195     if (!boot_part_uuid_.empty()) {
196         // Only use the more specific "MMC" / "NVME" / "SCSI" match if a
197         // partition UUID was passed.
198         //
199         // Old bootloaders that aren't passing the partition UUID instead
200         // pass the path to the closest "platform" device. It would
201         // break them if we chose this deeper (more specific) path.
202         //
203         // When we have a UUID we _want_ the more specific path since it can
204         // handle, for instance, differentiating two USB disks that are on
205         // the same USB controller. Using the closest platform device would
206         // classify them both the same by using the path to the USB controller.
207         if (FindMmcDevice(uevent_path, &info.str)) {
208             info.type = "mmc";
209         } else if (FindNvmeDevice(uevent_path, &info.str)) {
210             info.type = "nvme";
211         } else if (FindScsiDevice(uevent_path, &info.str)) {
212             info.type = "scsi";
213         }
214     } else if (FindPlatformDevice(uevent_path, &info.str)) {
215         info.type = "platform";
216     } else if (FindPciDevicePrefix(uevent_path, &info.str)) {
217         info.type = "pci";
218     } else if (FindVbdDevicePrefix(uevent_path, &info.str)) {
219         info.type = "vbd";
220     } else {
221         // Re-clear device to be extra certain in case one of the FindXXX()
222         // functions returned false but still modified it.
223         info.str = "";
224     }
225 
226     info.is_boot_device = boot_devices_.find(info.str) != boot_devices_.end();
227 
228     return info;
229 }
230 
IsBootDeviceStrict() const231 bool DeviceHandler::IsBootDeviceStrict() const {
232     // When using the newer "boot_part_uuid" to specify the boot device then
233     // we require all core system partitions to be on the boot device.
234     return !boot_part_uuid_.empty();
235 }
236 
IsBootDevice(const Uevent & uevent) const237 bool DeviceHandler::IsBootDevice(const Uevent& uevent) const {
238     auto device = GetBlockDeviceInfo(uevent.path);
239     return device.is_boot_device;
240 }
241 
GetPartitionNameForDevice(const std::string & query_device)242 std::string DeviceHandler::GetPartitionNameForDevice(const std::string& query_device) {
243     static const auto partition_map = [] {
244         std::vector<std::pair<std::string, std::string>> partition_map;
245         auto parser = [&partition_map](const std::string& key, const std::string& value) {
246             if (key != "androidboot.partition_map") {
247                 return;
248             }
249             for (const auto& map : Split(value, ";")) {
250                 auto map_pieces = Split(map, ",");
251                 if (map_pieces.size() != 2) {
252                     LOG(ERROR) << "Expected a comma separated device,partition mapping, but found '"
253                                << map << "'";
254                     continue;
255                 }
256                 partition_map.emplace_back(map_pieces[0], map_pieces[1]);
257             }
258         };
259         android::fs_mgr::ImportKernelCmdline(parser);
260         android::fs_mgr::ImportBootconfig(parser);
261         return partition_map;
262     }();
263 
264     for (const auto& [device, partition] : partition_map) {
265         if (query_device == device) {
266             return partition;
267         }
268     }
269     return {};
270 }
271 
272 // Given a path to a device that may have a parent in the passed set of
273 // subsystems, find the parent device that's in the passed set of subsystems.
274 // If we don't find a parent in the passed set of subsystems, return false.
FindSubsystemDevice(std::string path,std::string * device_path,const std::set<std::string> & subsystem_paths) const275 bool DeviceHandler::FindSubsystemDevice(std::string path, std::string* device_path,
276                                         const std::set<std::string>& subsystem_paths) const {
277     device_path->clear();
278 
279     // Uevents don't contain the mount point, so we need to add it here.
280     path.insert(0, sysfs_mount_point_);
281 
282     std::string directory = Dirname(path);
283 
284     while (directory != "/" && directory != ".") {
285         std::string subsystem_link_path;
286         if (Realpath(directory + "/subsystem", &subsystem_link_path) &&
287             subsystem_paths.find(subsystem_link_path) != subsystem_paths.end()) {
288             // We need to remove the mount point that we added above before returning.
289             directory.erase(0, sysfs_mount_point_.size());
290 
291             // Skip /devices/platform or /devices/ if present
292             static constexpr std::string_view devices_platform_prefix = "/devices/platform/";
293             static constexpr std::string_view devices_prefix = "/devices/";
294             std::string_view sv = directory;
295 
296             if (!ConsumePrefix(&sv, devices_platform_prefix)) {
297                 ConsumePrefix(&sv, devices_prefix);
298             }
299             *device_path = sv;
300 
301             return true;
302         }
303 
304         auto last_slash = path.rfind('/');
305         if (last_slash == std::string::npos) return false;
306 
307         path.erase(last_slash);
308         directory = Dirname(path);
309     }
310 
311     return false;
312 }
313 
FindPlatformDevice(const std::string & path,std::string * platform_device_path) const314 bool DeviceHandler::FindPlatformDevice(const std::string& path,
315                                        std::string* platform_device_path) const {
316     const std::set<std::string> subsystem_paths = {
317             sysfs_mount_point_ + "/bus/platform",
318             sysfs_mount_point_ + "/bus/amba",
319     };
320 
321     return FindSubsystemDevice(path, platform_device_path, subsystem_paths);
322 }
323 
FindMmcDevice(const std::string & path,std::string * mmc_device_path) const324 bool DeviceHandler::FindMmcDevice(const std::string& path, std::string* mmc_device_path) const {
325     const std::set<std::string> subsystem_paths = {
326             sysfs_mount_point_ + "/bus/mmc",
327     };
328 
329     return FindSubsystemDevice(path, mmc_device_path, subsystem_paths);
330 }
331 
FindNvmeDevice(const std::string & path,std::string * nvme_device_path) const332 bool DeviceHandler::FindNvmeDevice(const std::string& path, std::string* nvme_device_path) const {
333     const std::set<std::string> subsystem_paths = {
334             sysfs_mount_point_ + "/class/nvme",
335     };
336 
337     return FindSubsystemDevice(path, nvme_device_path, subsystem_paths);
338 }
339 
FindScsiDevice(const std::string & path,std::string * scsi_device_path) const340 bool DeviceHandler::FindScsiDevice(const std::string& path, std::string* scsi_device_path) const {
341     const std::set<std::string> subsystem_paths = {
342             sysfs_mount_point_ + "/bus/scsi",
343     };
344 
345     return FindSubsystemDevice(path, scsi_device_path, subsystem_paths);
346 }
347 
TrackDeviceUevent(const Uevent & uevent)348 void DeviceHandler::TrackDeviceUevent(const Uevent& uevent) {
349     // No need to track any events if we won't bother handling any bind events
350     // later.
351     if (drivers_.size() == 0) return;
352 
353     // Only track add, and not for block devices. We don't track remove because
354     // unbind events may arrive after remove events, so unbind will be the
355     // trigger to untrack those events.
356     if ((uevent.action != "add") || uevent.subsystem == "block" ||
357         (uevent.major < 0 || uevent.minor < 0)) {
358         return;
359     }
360 
361     std::string path = sysfs_mount_point_ + uevent.path + "/device";
362     std::string device;
363     if (!Realpath(path, &device)) return;
364 
365     tracked_uevents_.emplace_back(uevent, device);
366 }
367 
FixupSysPermissions(const std::string & upath,const std::string & subsystem) const368 void DeviceHandler::FixupSysPermissions(const std::string& upath,
369                                         const std::string& subsystem) const {
370     // upaths omit the "/sys" that paths in this list
371     // contain, so we prepend it...
372     std::string path = "/sys" + upath;
373 
374     for (const auto& s : sysfs_permissions_) {
375         if (s.MatchWithSubsystem(path, subsystem)) s.SetPermissions(path);
376     }
377 
378     if (!skip_restorecon_ && access(path.c_str(), F_OK) == 0) {
379         LOG(VERBOSE) << "restorecon_recursive: " << path;
380         if (selinux_android_restorecon(path.c_str(), SELINUX_ANDROID_RESTORECON_RECURSE) != 0) {
381             PLOG(ERROR) << "selinux_android_restorecon(" << path << ") failed";
382         }
383     }
384 }
385 
GetDevicePermissions(const std::string & path,const std::vector<std::string> & links) const386 std::tuple<mode_t, uid_t, gid_t> DeviceHandler::GetDevicePermissions(
387     const std::string& path, const std::vector<std::string>& links) const {
388     // Search the perms list in reverse so that ueventd.$hardware can override ueventd.rc.
389     for (auto it = dev_permissions_.crbegin(); it != dev_permissions_.crend(); ++it) {
390         if (it->Match(path) || std::any_of(links.cbegin(), links.cend(),
391                                            [it](const auto& link) { return it->Match(link); })) {
392             return {it->perm(), it->uid(), it->gid()};
393         }
394     }
395     /* Default if nothing found. */
396     return {0600, 0, 0};
397 }
398 
MakeDevice(const std::string & path,bool block,int major,int minor,const std::vector<std::string> & links) const399 void DeviceHandler::MakeDevice(const std::string& path, bool block, int major, int minor,
400                                const std::vector<std::string>& links) const {
401     auto [mode, uid, gid] = GetDevicePermissions(path, links);
402     mode |= (block ? S_IFBLK : S_IFCHR);
403 
404     std::string secontext;
405     if (!SelabelLookupFileContextBestMatch(path, links, mode, &secontext)) {
406         PLOG(ERROR) << "Device '" << path << "' not created; cannot find SELinux label";
407         return;
408     }
409     if (!secontext.empty()) {
410         setfscreatecon(secontext.c_str());
411     }
412 
413     gid_t new_group = -1;
414 
415     dev_t dev = makedev(major, minor);
416     /* Temporarily change egid to avoid race condition setting the gid of the
417      * device node. Unforunately changing the euid would prevent creation of
418      * some device nodes, so the uid has to be set with chown() and is still
419      * racy. Fixing the gid race at least fixed the issue with system_server
420      * opening dynamic input devices under the AID_INPUT gid. */
421     if (setegid(gid)) {
422         PLOG(ERROR) << "setegid(" << gid << ") for " << path << " device failed";
423         goto out;
424     }
425     /* If the node already exists update its SELinux label and the file mode to handle cases when
426      * it was created with the wrong context and file mode during coldboot procedure. */
427     if (mknod(path.c_str(), mode, dev) && (errno == EEXIST) && !secontext.empty()) {
428         char* fcon = nullptr;
429         int rc = lgetfilecon(path.c_str(), &fcon);
430         if (rc < 0) {
431             PLOG(ERROR) << "Cannot get SELinux label on '" << path << "' device";
432             goto out;
433         }
434 
435         bool different = fcon != secontext;
436         freecon(fcon);
437 
438         if (different && lsetfilecon(path.c_str(), secontext.c_str())) {
439             PLOG(ERROR) << "Cannot set '" << secontext << "' SELinux label on '" << path
440                         << "' device";
441         }
442 
443         struct stat s;
444         if (stat(path.c_str(), &s) == 0) {
445             if (gid != s.st_gid) {
446                 new_group = gid;
447             }
448             if (mode != s.st_mode) {
449                 if (chmod(path.c_str(), mode) != 0) {
450                     PLOG(ERROR) << "Cannot chmod " << path << " to " << mode;
451                 }
452             }
453         } else {
454             PLOG(ERROR) << "Cannot stat " << path;
455         }
456     }
457 
458 out:
459     if (chown(path.c_str(), uid, new_group) < 0) {
460         PLOG(ERROR) << "Cannot chown " << path << " " << uid << " " << new_group;
461     }
462     if (setegid(AID_ROOT)) {
463         PLOG(FATAL) << "setegid(AID_ROOT) failed";
464     }
465 
466     if (!secontext.empty()) {
467         setfscreatecon(nullptr);
468     }
469 }
470 
471 // replaces any unacceptable characters with '_', the
472 // length of the resulting string is equal to the input string
SanitizePartitionName(std::string * string)473 void SanitizePartitionName(std::string* string) {
474     const char* accept =
475         "abcdefghijklmnopqrstuvwxyz"
476         "ABCDEFGHIJKLMNOPQRSTUVWXYZ"
477         "0123456789"
478         "_-.";
479 
480     if (!string) return;
481 
482     std::string::size_type pos = 0;
483     while ((pos = string->find_first_not_of(accept, pos)) != std::string::npos) {
484         (*string)[pos] = '_';
485     }
486 }
487 
GetBlockDeviceSymlinks(const Uevent & uevent) const488 std::vector<std::string> DeviceHandler::GetBlockDeviceSymlinks(const Uevent& uevent) const {
489     BlockDeviceInfo info;
490     std::string partition;
491     std::string uuid;
492 
493     if (FindDmDevice(uevent, &partition, &uuid)) {
494         std::vector<std::string> symlinks = {"/dev/block/mapper/" + partition};
495         if (!uuid.empty()) {
496             symlinks.emplace_back("/dev/block/mapper/by-uuid/" + uuid);
497         }
498         return symlinks;
499     }
500 
501     info = GetBlockDeviceInfo(uevent.path);
502 
503     if (info.type.empty()) {
504         return {};
505     }
506 
507     std::vector<std::string> links;
508 
509     LOG(VERBOSE) << "found " << info.type << " device " << info.str;
510 
511     auto link_path = "/dev/block/" + info.type + "/" + info.str;
512 
513     if (!uevent.partition_name.empty()) {
514         std::string partition_name_sanitized(uevent.partition_name);
515         SanitizePartitionName(&partition_name_sanitized);
516         if (partition_name_sanitized != uevent.partition_name) {
517             LOG(VERBOSE) << "Linking partition '" << uevent.partition_name << "' as '"
518                          << partition_name_sanitized << "'";
519         }
520         links.emplace_back(link_path + "/by-name/" + partition_name_sanitized);
521         // Adds symlink: /dev/block/by-name/<partition_name>.
522         if (info.is_boot_device) {
523             links.emplace_back("/dev/block/by-name/" + partition_name_sanitized);
524         }
525     } else if (info.is_boot_device) {
526         // If we don't have a partition name but we are a partition on a boot device, create a
527         // symlink of /dev/block/by-name/<device_name> for symmetry.
528         links.emplace_back("/dev/block/by-name/" + uevent.device_name);
529         auto partition_name = GetPartitionNameForDevice(uevent.device_name);
530         if (!partition_name.empty()) {
531             links.emplace_back("/dev/block/by-name/" + partition_name);
532         }
533     }
534 
535     std::string model;
536     if (ReadFileToString("/sys/class/block/" + uevent.device_name + "/queue/zoned", &model) &&
537         !StartsWith(model, "none")) {
538         links.emplace_back("/dev/block/by-name/zoned_device");
539         links.emplace_back("/dev/sys/block/by-name/zoned_device");
540     }
541 
542     auto last_slash = uevent.path.rfind('/');
543     links.emplace_back(link_path + "/" + uevent.path.substr(last_slash + 1));
544 
545     return links;
546 }
547 
RemoveDeviceMapperLinks(const std::string & devpath)548 static void RemoveDeviceMapperLinks(const std::string& devpath) {
549     std::vector<std::string> dirs = {
550             "/dev/block/mapper",
551             "/dev/block/mapper/by-uuid",
552     };
553     for (const auto& dir : dirs) {
554         if (access(dir.c_str(), F_OK) != 0) continue;
555 
556         std::unique_ptr<DIR, decltype(&closedir)> dh(opendir(dir.c_str()), closedir);
557         if (!dh) {
558             PLOG(ERROR) << "Failed to open directory " << dir;
559             continue;
560         }
561 
562         struct dirent* dp;
563         std::string link_path;
564         while ((dp = readdir(dh.get())) != nullptr) {
565             if (dp->d_type != DT_LNK) continue;
566 
567             auto path = dir + "/" + dp->d_name;
568             if (Readlink(path, &link_path) && link_path == devpath) {
569                 unlink(path.c_str());
570             }
571         }
572     }
573 }
574 
HandleDevice(const std::string & action,const std::string & devpath,bool block,int major,int minor,const std::vector<std::string> & links) const575 void DeviceHandler::HandleDevice(const std::string& action, const std::string& devpath, bool block,
576                                  int major, int minor, const std::vector<std::string>& links) const {
577     if (action == "add") {
578         MakeDevice(devpath, block, major, minor, links);
579     }
580 
581     // Handle device-mapper nodes.
582     // On kernels <= 5.10, the "add" event is fired on DM_DEV_CREATE, but does not contain name
583     // information until DM_TABLE_LOAD - thus, we wait for a "change" event.
584     // On kernels >= 5.15, the "add" event is fired on DM_TABLE_LOAD, followed by a "change"
585     // event.
586     if (action == "add" || (action == "change" && StartsWith(devpath, "/dev/block/dm-"))) {
587         for (const auto& link : links) {
588             std::string target;
589             if (StartsWith(link, "/dev/block/")) {
590                 target = devpath;
591             } else if (StartsWith(link, "/dev/sys/block/")) {
592                 target = "/sys/class/block/" + Basename(devpath);
593             } else {
594                 LOG(ERROR) << "Unrecognized link type: " << link;
595                 continue;
596             }
597 
598             if (!mkdir_recursive(Dirname(link), 0755)) {
599                 PLOG(ERROR) << "Failed to create directory " << Dirname(link);
600             }
601 
602             if (symlink(target.c_str(), link.c_str())) {
603                 if (errno != EEXIST) {
604                     PLOG(ERROR) << "Failed to symlink " << devpath << " to " << link;
605                 } else if (std::string link_path;
606                            Readlink(link, &link_path) && link_path != devpath) {
607                     PLOG(ERROR) << "Failed to symlink " << devpath << " to " << link
608                                 << ", which already links to: " << link_path;
609                 }
610             }
611         }
612     }
613 
614     if (action == "remove") {
615         if (StartsWith(devpath, "/dev/block/dm-")) {
616             RemoveDeviceMapperLinks(devpath);
617         }
618         for (const auto& link : links) {
619             std::string link_path;
620             if (Readlink(link, &link_path) && link_path == devpath) {
621                 unlink(link.c_str());
622             }
623         }
624         unlink(devpath.c_str());
625     }
626 }
627 
HandleAshmemUevent(const Uevent & uevent)628 void DeviceHandler::HandleAshmemUevent(const Uevent& uevent) {
629     if (uevent.device_name == "ashmem") {
630         static const std::string boot_id_path = "/proc/sys/kernel/random/boot_id";
631         std::string boot_id;
632         if (!ReadFileToString(boot_id_path, &boot_id)) {
633             PLOG(ERROR) << "Cannot duplicate ashmem device node. Failed to read " << boot_id_path;
634             return;
635         }
636         boot_id = Trim(boot_id);
637 
638         Uevent dup_ashmem_uevent = uevent;
639         dup_ashmem_uevent.device_name += boot_id;
640         dup_ashmem_uevent.path += boot_id;
641         HandleUevent(dup_ashmem_uevent);
642     }
643 }
644 
645 // Check Uevents looking for the kernel's boot partition UUID
646 //
647 // When we can stop checking uevents (either because we're done or because
648 // we weren't looking for the kernel's boot partition UUID) then return
649 // true. Return false if we're not done yet.
CheckUeventForBootPartUuid(const Uevent & uevent)650 bool DeviceHandler::CheckUeventForBootPartUuid(const Uevent& uevent) {
651     // If we aren't using boot_part_uuid then we're done.
652     if (boot_part_uuid_.empty()) {
653         return true;
654     }
655 
656     // Finding the boot partition is a one-time thing that we do at init
657     // time, not steady state. This is because the boot partition isn't
658     // allowed to go away or change. Once we found the boot partition we don't
659     // expect to run again.
660     if (found_boot_part_uuid_) {
661         LOG(WARNING) << __PRETTY_FUNCTION__
662                      << " shouldn't run after kernel boot partition is found";
663         return true;
664     }
665 
666     // We only need to look at newly-added block devices. Note that if someone
667     // is replaying events all existing devices will get "add"ed.
668     if (uevent.subsystem != "block" || uevent.action != "add") {
669         return false;
670     }
671 
672     // If it's not the partition we care about then move on.
673     if (uevent.partition_uuid != boot_part_uuid_) {
674         return false;
675     }
676 
677     auto device = GetBlockDeviceInfo(uevent.path);
678 
679     LOG(INFO) << "Boot device " << device.str << " found via partition UUID";
680     found_boot_part_uuid_ = true;
681     boot_devices_.clear();
682     boot_devices_.insert(device.str);
683 
684     return true;
685 }
686 
HandleBindInternal(std::string driver_name,std::string action,const Uevent & uevent)687 void DeviceHandler::HandleBindInternal(std::string driver_name, std::string action,
688                                        const Uevent& uevent) {
689     if (uevent.subsystem == "block") {
690         LOG(FATAL) << "Tried to handle bind event for block device";
691     }
692 
693     // Get tracked uevents for all devices that have this uevent's path as
694     // their canonical device path. Then handle those again if their driver
695     // is one of the ones we're interested in.
696     const auto driver = std::find(drivers_.cbegin(), drivers_.cend(), driver_name);
697     if (driver == drivers_.cend()) return;
698 
699     std::string bind_path = sysfs_mount_point_ + uevent.path;
700     for (const TrackedUevent& tracked : tracked_uevents_) {
701         if (tracked.canonical_device_path != bind_path) continue;
702 
703         LOG(VERBOSE) << "Propagating " << uevent.action << " as " << action << " for "
704                      << uevent.path;
705 
706         std::string devpath = driver->ParseDevPath(tracked.uevent);
707         mkdir_recursive(Dirname(devpath), 0755);
708         HandleDevice(action, devpath, false, tracked.uevent.major, tracked.uevent.minor,
709                      std::vector<std::string>{});
710     }
711 }
712 
HandleUevent(const Uevent & uevent)713 void DeviceHandler::HandleUevent(const Uevent& uevent) {
714     if (uevent.action == "add" || uevent.action == "change" || uevent.action == "bind" ||
715         uevent.action == "online") {
716         FixupSysPermissions(uevent.path, uevent.subsystem);
717     }
718 
719     if (uevent.action == "bind") {
720         bound_drivers_[uevent.path] = uevent.driver;
721         HandleBindInternal(uevent.driver, "add", uevent);
722         return;
723     } else if (uevent.action == "unbind") {
724         if (bound_drivers_.count(uevent.path) == 0) return;
725         HandleBindInternal(bound_drivers_[uevent.path], "remove", uevent);
726 
727         std::string sys_path = sysfs_mount_point_ + uevent.path;
728         std::erase_if(tracked_uevents_, [&sys_path](const TrackedUevent& tracked) {
729             return sys_path == tracked.canonical_device_path;
730         });
731         return;
732     }
733 
734     // if it's not a /dev device, nothing to do
735     if (uevent.major < 0 || uevent.minor < 0) return;
736 
737     std::string devpath;
738     std::vector<std::string> links;
739     bool block = false;
740 
741     TrackDeviceUevent(uevent);
742 
743     if (uevent.subsystem == "block") {
744         block = true;
745         devpath = "/dev/block/" + Basename(uevent.path);
746 
747         if (StartsWith(uevent.path, "/devices")) {
748             links = GetBlockDeviceSymlinks(uevent);
749         }
750     } else if (const auto subsystem =
751                    std::find(subsystems_.cbegin(), subsystems_.cend(), uevent.subsystem);
752                subsystem != subsystems_.cend()) {
753         devpath = subsystem->ParseDevPath(uevent);
754     } else if (uevent.subsystem == "usb") {
755         if (!uevent.device_name.empty()) {
756             devpath = "/dev/" + uevent.device_name;
757         } else {
758             // This imitates the file system that would be created
759             // if we were using devfs instead.
760             // Minors are broken up into groups of 128, starting at "001"
761             int bus_id = uevent.minor / 128 + 1;
762             int device_id = uevent.minor % 128 + 1;
763             devpath = StringPrintf("/dev/bus/usb/%03d/%03d", bus_id, device_id);
764         }
765     } else if (StartsWith(uevent.subsystem, "usb")) {
766         // ignore other USB events
767         return;
768     } else if (uevent.subsystem == "misc" && StartsWith(uevent.device_name, "dm-user/")) {
769         devpath = "/dev/dm-user/" + uevent.device_name.substr(8);
770     } else if (uevent.subsystem == "misc" && uevent.device_name == "vfio/vfio") {
771         devpath = "/dev/" + uevent.device_name;
772     } else {
773         devpath = "/dev/" + Basename(uevent.path);
774     }
775 
776     mkdir_recursive(Dirname(devpath), 0755);
777 
778     HandleDevice(uevent.action, devpath, block, uevent.major, uevent.minor, links);
779 
780     // Duplicate /dev/ashmem device and name it /dev/ashmem<boot_id>.
781     // TODO(b/111903542): remove once all users of /dev/ashmem are migrated to libcutils API.
782     HandleAshmemUevent(uevent);
783 }
784 
ColdbootDone()785 void DeviceHandler::ColdbootDone() {
786     skip_restorecon_ = false;
787 }
788 
DeviceHandler(std::vector<Permissions> dev_permissions,std::vector<SysfsPermissions> sysfs_permissions,std::vector<Subsystem> drivers,std::vector<Subsystem> subsystems,std::set<std::string> boot_devices,std::string boot_part_uuid,bool skip_restorecon)789 DeviceHandler::DeviceHandler(std::vector<Permissions> dev_permissions,
790                              std::vector<SysfsPermissions> sysfs_permissions,
791                              std::vector<Subsystem> drivers, std::vector<Subsystem> subsystems,
792                              std::set<std::string> boot_devices, std::string boot_part_uuid,
793                              bool skip_restorecon)
794     : dev_permissions_(std::move(dev_permissions)),
795       sysfs_permissions_(std::move(sysfs_permissions)),
796       drivers_(std::move(drivers)),
797       subsystems_(std::move(subsystems)),
798       boot_devices_(std::move(boot_devices)),
799       boot_part_uuid_(boot_part_uuid),
800       skip_restorecon_(skip_restorecon),
801       sysfs_mount_point_("/sys") {
802     // If both a boot partition UUID and a list of boot devices are
803     // specified then we ignore the boot_devices in favor of boot_part_uuid.
804     if (boot_devices_.size() && !boot_part_uuid.empty()) {
805         LOG(WARNING) << "Both boot_devices and boot_part_uuid provided; ignoring bootdevices";
806         boot_devices_.clear();
807     }
808 }
809 
DeviceHandler()810 DeviceHandler::DeviceHandler()
811     : DeviceHandler(std::vector<Permissions>{}, std::vector<SysfsPermissions>{},
812                     std::vector<Subsystem>{}, std::vector<Subsystem>{}, std::set<std::string>{}, "",
813                     false) {}
814 
815 }  // namespace init
816 }  // namespace android
817