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