• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1 /*
2  * Copyright (C) 2015 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 /*
18  * update_verifier verifies the integrity of the partitions after an A/B OTA update. It gets invoked
19  * by init, and will only perform the verification if it's the first boot post an A/B OTA update
20  * (https://source.android.com/devices/tech/ota/ab/#after_reboot).
21  *
22  * update_verifier relies on device-mapper-verity (dm-verity) to capture any corruption on the
23  * partitions being verified (https://source.android.com/security/verifiedboot). The verification
24  * will be skipped, if dm-verity is not enabled on the device.
25  *
26  * Upon detecting verification failures, the device will be rebooted, although the trigger of the
27  * reboot depends on the dm-verity mode.
28  *   enforcing mode: dm-verity reboots the device
29  *   eio mode: dm-verity fails the read and update_verifier reboots the device
30  *   other mode: not supported and update_verifier reboots the device
31  *
32  * All these reboots prevent the device from booting into a known corrupt state. If the device
33  * continuously fails to boot into the new slot, the bootloader should mark the slot as unbootable
34  * and trigger a fallback to the old slot.
35  *
36  * The current slot will be marked as having booted successfully if the verifier reaches the end
37  * after the verification.
38  */
39 
40 #include "update_verifier/update_verifier.h"
41 
42 #include <dirent.h>
43 #include <errno.h>
44 #include <fcntl.h>
45 #include <stdint.h>
46 #include <stdio.h>
47 #include <stdlib.h>
48 #include <string.h>
49 #include <unistd.h>
50 
51 #include <algorithm>
52 #include <future>
53 #include <thread>
54 
55 #include <android-base/chrono_utils.h>
56 #include <android-base/file.h>
57 #include <android-base/logging.h>
58 #include <android-base/parseint.h>
59 #include <android-base/properties.h>
60 #include <android-base/strings.h>
61 #include <android-base/unique_fd.h>
62 #include <android/hardware/boot/1.0/IBootControl.h>
63 #include <android/os/IVold.h>
64 #include <binder/BinderService.h>
65 #include <binder/Status.h>
66 #include <cutils/android_reboot.h>
67 
68 #include "care_map.pb.h"
69 
70 using android::sp;
71 using android::hardware::boot::V1_0::IBootControl;
72 using android::hardware::boot::V1_0::BoolResult;
73 using android::hardware::boot::V1_0::CommandResult;
74 
75 // TODO(xunchang) remove the prefix and use a default path instead.
76 constexpr const char* kDefaultCareMapPrefix = "/data/ota_package/care_map";
77 
78 // Find directories in format of "/sys/block/dm-X".
dm_name_filter(const dirent * de)79 static int dm_name_filter(const dirent* de) {
80   if (android::base::StartsWith(de->d_name, "dm-")) {
81     return 1;
82   }
83   return 0;
84 }
85 
UpdateVerifier()86 UpdateVerifier::UpdateVerifier()
87     : care_map_prefix_(kDefaultCareMapPrefix),
88       property_reader_([](const std::string& id) { return android::base::GetProperty(id, ""); }) {}
89 
90 // Iterate the content of "/sys/block/dm-X/dm/name" and find all the dm-wrapped block devices.
91 // We will later read all the ("cared") blocks from "/dev/block/dm-X" to ensure the target
92 // partition's integrity.
FindDmPartitions()93 std::map<std::string, std::string> UpdateVerifier::FindDmPartitions() {
94   static constexpr auto DM_PATH_PREFIX = "/sys/block/";
95   dirent** namelist;
96   int n = scandir(DM_PATH_PREFIX, &namelist, dm_name_filter, alphasort);
97   if (n == -1) {
98     PLOG(ERROR) << "Failed to scan dir " << DM_PATH_PREFIX;
99     return {};
100   }
101   if (n == 0) {
102     LOG(ERROR) << "No dm block device found.";
103     return {};
104   }
105 
106   static constexpr auto DM_PATH_SUFFIX = "/dm/name";
107   static constexpr auto DEV_PATH = "/dev/block/";
108   std::map<std::string, std::string> dm_block_devices;
109   while (n--) {
110     std::string path = DM_PATH_PREFIX + std::string(namelist[n]->d_name) + DM_PATH_SUFFIX;
111     std::string content;
112     if (!android::base::ReadFileToString(path, &content)) {
113       PLOG(WARNING) << "Failed to read " << path;
114     } else {
115       std::string dm_block_name = android::base::Trim(content);
116       // AVB is using 'vroot' for the root block device but we're expecting 'system'.
117       if (dm_block_name == "vroot") {
118         dm_block_name = "system";
119       } else if (android::base::EndsWith(dm_block_name, "-verity")) {
120         auto npos = dm_block_name.rfind("-verity");
121         dm_block_name = dm_block_name.substr(0, npos);
122       } else if (!android::base::GetProperty("ro.boot.avb_version", "").empty()) {
123         // Verified Boot 1.0 doesn't add a -verity suffix. On AVB 2 devices,
124         // if DAP is enabled, then a -verity suffix must be used to
125         // differentiate between dm-linear and dm-verity devices. If we get
126         // here, we're AVB 2 and looking at a non-verity partition.
127         continue;
128       }
129 
130       dm_block_devices.emplace(dm_block_name, DEV_PATH + std::string(namelist[n]->d_name));
131     }
132     free(namelist[n]);
133   }
134   free(namelist);
135 
136   return dm_block_devices;
137 }
138 
ReadBlocks(const std::string partition_name,const std::string & dm_block_device,const RangeSet & ranges)139 bool UpdateVerifier::ReadBlocks(const std::string partition_name,
140                                 const std::string& dm_block_device, const RangeSet& ranges) {
141   // RangeSet::Split() splits the ranges into multiple groups with same number of blocks (except for
142   // the last group).
143   size_t thread_num = std::thread::hardware_concurrency() ?: 4;
144   std::vector<RangeSet> groups = ranges.Split(thread_num);
145 
146   std::vector<std::future<bool>> threads;
147   for (const auto& group : groups) {
148     auto thread_func = [&group, &dm_block_device, &partition_name]() {
149       android::base::unique_fd fd(TEMP_FAILURE_RETRY(open(dm_block_device.c_str(), O_RDONLY)));
150       if (fd.get() == -1) {
151         PLOG(ERROR) << "Error reading " << dm_block_device << " for partition " << partition_name;
152         return false;
153       }
154 
155       static constexpr size_t kBlockSize = 4096;
156       std::vector<uint8_t> buf(1024 * kBlockSize);
157 
158       size_t block_count = 0;
159       for (const auto& [range_start, range_end] : group) {
160         if (lseek64(fd.get(), static_cast<off64_t>(range_start) * kBlockSize, SEEK_SET) == -1) {
161           PLOG(ERROR) << "lseek to " << range_start << " failed";
162           return false;
163         }
164 
165         size_t remain = (range_end - range_start) * kBlockSize;
166         while (remain > 0) {
167           size_t to_read = std::min(remain, 1024 * kBlockSize);
168           if (!android::base::ReadFully(fd.get(), buf.data(), to_read)) {
169             PLOG(ERROR) << "Failed to read blocks " << range_start << " to " << range_end;
170             return false;
171           }
172           remain -= to_read;
173         }
174         block_count += (range_end - range_start);
175       }
176       LOG(INFO) << "Finished reading " << block_count << " blocks on " << dm_block_device;
177       return true;
178     };
179 
180     threads.emplace_back(std::async(std::launch::async, thread_func));
181   }
182 
183   bool ret = true;
184   for (auto& t : threads) {
185     ret = t.get() && ret;
186   }
187   LOG(INFO) << "Finished reading blocks on " << dm_block_device << " with " << thread_num
188             << " threads.";
189   return ret;
190 }
191 
CheckVerificationStatus()192 bool UpdateVerifier::CheckVerificationStatus() {
193   auto client =
194       android::snapshot::SnapuserdClient::Connect(android::snapshot::kSnapuserdSocket, 5s);
195   if (!client) {
196     LOG(ERROR) << "Unable to connect to snapuserd";
197     return false;
198   }
199 
200   return client->QueryUpdateVerification();
201 }
202 
VerifyPartitions()203 bool UpdateVerifier::VerifyPartitions() {
204   const bool userspace_snapshots =
205       android::base::GetBoolProperty("ro.virtual_ab.userspace.snapshots.enabled", false);
206 
207   if (userspace_snapshots && CheckVerificationStatus()) {
208     LOG(INFO) << "Partitions verified by snapuserd daemon";
209     return true;
210   }
211 
212   LOG(INFO) << "Partitions not verified by snapuserd daemon";
213 
214   auto dm_block_devices = FindDmPartitions();
215   if (dm_block_devices.empty()) {
216     LOG(ERROR) << "No dm-enabled block device is found.";
217     return false;
218   }
219 
220   for (const auto& [partition_name, ranges] : partition_map_) {
221     if (dm_block_devices.find(partition_name) == dm_block_devices.end()) {
222       LOG(ERROR) << "Failed to find dm block device for " << partition_name;
223       return false;
224     }
225 
226     if (!ReadBlocks(partition_name, dm_block_devices.at(partition_name), ranges)) {
227       return false;
228     }
229   }
230 
231   return true;
232 }
233 
ParseCareMap()234 bool UpdateVerifier::ParseCareMap() {
235   partition_map_.clear();
236 
237   std::string care_map_name = care_map_prefix_ + ".pb";
238   if (access(care_map_name.c_str(), R_OK) == -1) {
239     LOG(ERROR) << care_map_name << " doesn't exist";
240     return false;
241   }
242 
243   android::base::unique_fd care_map_fd(TEMP_FAILURE_RETRY(open(care_map_name.c_str(), O_RDONLY)));
244   // If the device is flashed before the current boot, it may not have care_map.txt in
245   // /data/ota_package. To allow the device to continue booting in this situation, we should
246   // print a warning and skip the block verification.
247   if (care_map_fd.get() == -1) {
248     PLOG(WARNING) << "Failed to open " << care_map_name;
249     return false;
250   }
251 
252   std::string file_content;
253   if (!android::base::ReadFdToString(care_map_fd.get(), &file_content)) {
254     PLOG(WARNING) << "Failed to read " << care_map_name;
255     return false;
256   }
257 
258   if (file_content.empty()) {
259     LOG(WARNING) << "Unexpected empty care map";
260     return false;
261   }
262 
263   recovery_update_verifier::CareMap care_map;
264   if (!care_map.ParseFromString(file_content)) {
265     LOG(WARNING) << "Failed to parse " << care_map_name << " in protobuf format.";
266     return false;
267   }
268 
269   for (const auto& partition : care_map.partitions()) {
270     if (partition.name().empty()) {
271       LOG(WARNING) << "Unexpected empty partition name.";
272       return false;
273     }
274     if (partition.ranges().empty()) {
275       LOG(WARNING) << "Unexpected block ranges for partition " << partition.name();
276       return false;
277     }
278     RangeSet ranges = RangeSet::Parse(partition.ranges());
279     if (!ranges) {
280       LOG(WARNING) << "Error parsing RangeSet string " << partition.ranges();
281       return false;
282     }
283 
284     // Continues to check other partitions if there is a fingerprint mismatch.
285     if (partition.id().empty() || partition.id() == "unknown") {
286       LOG(WARNING) << "Skip reading partition " << partition.name()
287                    << ": property_id is not provided to get fingerprint.";
288       continue;
289     }
290 
291     std::string fingerprint = property_reader_(partition.id());
292     if (fingerprint != partition.fingerprint()) {
293       LOG(WARNING) << "Skip reading partition " << partition.name() << ": fingerprint "
294                    << fingerprint << " doesn't match the expected value "
295                    << partition.fingerprint();
296       continue;
297     }
298 
299     partition_map_.emplace(partition.name(), ranges);
300   }
301 
302   if (partition_map_.empty()) {
303     LOG(WARNING) << "No partition to verify";
304     return false;
305   }
306 
307   return true;
308 }
309 
set_care_map_prefix(const std::string & prefix)310 void UpdateVerifier::set_care_map_prefix(const std::string& prefix) {
311   care_map_prefix_ = prefix;
312 }
313 
set_property_reader(const std::function<std::string (const std::string &)> & property_reader)314 void UpdateVerifier::set_property_reader(
315     const std::function<std::string(const std::string&)>& property_reader) {
316   property_reader_ = property_reader;
317 }
318 
reboot_device()319 static int reboot_device() {
320   if (android_reboot(ANDROID_RB_RESTART2, 0, nullptr) == -1) {
321     LOG(ERROR) << "Failed to reboot.";
322     return -1;
323   }
324   while (true) pause();
325 }
326 
update_verifier(int argc,char ** argv)327 int update_verifier(int argc, char** argv) {
328   for (int i = 1; i < argc; i++) {
329     LOG(INFO) << "Started with arg " << i << ": " << argv[i];
330   }
331 
332   sp<IBootControl> module = IBootControl::getService();
333   if (module == nullptr) {
334     LOG(ERROR) << "Error getting bootctrl module.";
335     return reboot_device();
336   }
337 
338   uint32_t current_slot = module->getCurrentSlot();
339   BoolResult is_successful = module->isSlotMarkedSuccessful(current_slot);
340   LOG(INFO) << "Booting slot " << current_slot << ": isSlotMarkedSuccessful="
341             << static_cast<int32_t>(is_successful);
342 
343   if (is_successful == BoolResult::FALSE) {
344     // The current slot has not booted successfully.
345 
346     bool skip_verification = false;
347     std::string verity_mode = android::base::GetProperty("ro.boot.veritymode", "");
348     if (verity_mode.empty()) {
349       // Skip the verification if ro.boot.veritymode property is not set. This could be a result
350       // that device doesn't support dm-verity, or has disabled that.
351       LOG(WARNING) << "dm-verity not enabled; marking without verification.";
352       skip_verification = true;
353     } else if (android::base::EqualsIgnoreCase(verity_mode, "eio")) {
354       // We shouldn't see verity in EIO mode if the current slot hasn't booted successfully before.
355       // Continue the verification until we fail to read some blocks.
356       LOG(WARNING) << "Found dm-verity in EIO mode.";
357     } else if (android::base::EqualsIgnoreCase(verity_mode, "disabled")) {
358       LOG(WARNING) << "dm-verity in disabled mode; marking without verification.";
359       skip_verification = true;
360     } else if (verity_mode != "enforcing") {
361       LOG(ERROR) << "Unexpected dm-verity mode: " << verity_mode << ", expecting enforcing.";
362       return reboot_device();
363     }
364 
365     if (!skip_verification) {
366       UpdateVerifier verifier;
367       if (!verifier.ParseCareMap()) {
368         LOG(WARNING) << "Failed to parse the care map file, skipping verification";
369       } else if (!verifier.VerifyPartitions()) {
370         LOG(ERROR) << "Failed to verify all blocks in care map file.";
371         return reboot_device();
372       }
373     }
374 
375     bool supports_checkpoint = false;
376     auto sm = android::defaultServiceManager();
377     android::sp<android::IBinder> binder = sm->getService(android::String16("vold"));
378     if (binder) {
379       auto vold = android::interface_cast<android::os::IVold>(binder);
380       android::binder::Status status = vold->supportsCheckpoint(&supports_checkpoint);
381       if (!status.isOk()) {
382         LOG(ERROR) << "Failed to check if checkpoints supported. Continuing";
383       }
384     } else {
385       LOG(ERROR) << "Failed to obtain vold Binder. Continuing";
386     }
387 
388     if (!supports_checkpoint) {
389       CommandResult cr;
390       module->markBootSuccessful([&cr](CommandResult result) { cr = result; });
391       if (!cr.success) {
392         LOG(ERROR) << "Error marking booted successfully: " << cr.errMsg;
393         return reboot_device();
394       }
395       LOG(INFO) << "Marked slot " << current_slot << " as booted successfully.";
396       // Clears the warm reset flag for next reboot.
397       if (!android::base::SetProperty("ota.warm_reset", "0")) {
398         LOG(WARNING) << "Failed to reset the warm reset flag";
399       }
400     } else {
401       LOG(INFO) << "Deferred marking slot " << current_slot << " as booted successfully.";
402     }
403   }
404 
405   LOG(INFO) << "Leaving update_verifier.";
406   return 0;
407 }
408