1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394
|
#!/usr/bin/env python3
#
# Copyright 2021, The Android Open Source Project
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Repacks the boot image.
Unpacks the boot image and the ramdisk inside, then add files into
the ramdisk to repack the boot image.
"""
import argparse
import datetime
import enum
import glob
import os
import shlex
import shutil
import subprocess
import tempfile
class TempFileManager:
"""Manages temporary files and dirs."""
def __init__(self):
self._temp_files = []
def __del__(self):
"""Removes temp dirs and files."""
for f in self._temp_files:
if os.path.isdir(f):
shutil.rmtree(f, ignore_errors=True)
else:
os.remove(f)
def make_temp_dir(self, prefix='tmp', suffix=''):
"""Makes a temporary dir that will be cleaned up in the destructor.
Returns:
The absolute pathname of the new directory.
"""
dir_name = tempfile.mkdtemp(prefix=prefix, suffix=suffix)
self._temp_files.append(dir_name)
return dir_name
def make_temp_file(self, prefix='tmp', suffix=''):
"""Make a temp file that will be deleted in the destructor.
Returns:
The absolute pathname of the new file.
"""
fd, file_name = tempfile.mkstemp(prefix=prefix, suffix=suffix)
os.close(fd)
self._temp_files.append(file_name)
return file_name
class RamdiskFormat(enum.Enum):
"""Enum class for different ramdisk compression formats."""
LZ4 = 1
GZIP = 2
class BootImageType(enum.Enum):
"""Enum class for different boot image types."""
BOOT_IMAGE = 1
VENDOR_BOOT_IMAGE = 2
SINGLE_RAMDISK_FRAGMENT = 3
MULTIPLE_RAMDISK_FRAGMENTS = 4
class RamdiskImage:
"""A class that supports packing/unpacking a ramdisk."""
def __init__(self, ramdisk_img, unpack=True):
self._ramdisk_img = ramdisk_img
self._ramdisk_format = None
self._ramdisk_dir = None
self._temp_file_manager = TempFileManager()
if unpack:
self._unpack_ramdisk()
else:
self._ramdisk_dir = self._temp_file_manager.make_temp_dir(
suffix='_new_ramdisk')
def _unpack_ramdisk(self):
"""Unpacks the ramdisk."""
self._ramdisk_dir = self._temp_file_manager.make_temp_dir(
suffix='_' + os.path.basename(self._ramdisk_img))
# The compression format might be in 'lz4' or 'gzip' format,
# trying lz4 first.
for compression_type, compression_util in [
(RamdiskFormat.LZ4, 'lz4'),
(RamdiskFormat.GZIP, 'gzip')]:
# Command arguments:
# -d: decompression
# -c: write to stdout
decompression_cmd = [
compression_util, '-d', '-c', self._ramdisk_img]
decompressed_result = subprocess.run(
decompression_cmd, check=False, capture_output=True)
if decompressed_result.returncode == 0:
self._ramdisk_format = compression_type
break
if self._ramdisk_format is not None:
# toybox cpio arguments:
# -i: extract files from stdin
# -d: create directories if needed
# -u: override existing files
subprocess.run(
['toybox', 'cpio', '-idu'], check=True,
input=decompressed_result.stdout, cwd=self._ramdisk_dir)
print(f"=== Unpacked ramdisk: '{self._ramdisk_img}' at "
f"'{self._ramdisk_dir}' ===")
else:
raise RuntimeError('Failed to decompress ramdisk.')
def repack_ramdisk(self, out_ramdisk_file):
"""Repacks a ramdisk from self._ramdisk_dir.
Args:
out_ramdisk_file: the output ramdisk file to save.
"""
compression_cmd = ['lz4', '-l', '-12', '--favor-decSpeed']
if self._ramdisk_format == RamdiskFormat.GZIP:
compression_cmd = ['gzip']
print('Repacking ramdisk, which might take a few seconds ...')
mkbootfs_result = subprocess.run(
['mkbootfs', self._ramdisk_dir], check=True, capture_output=True)
with open(out_ramdisk_file, 'w') as output_fd:
subprocess.run(compression_cmd, check=True,
input=mkbootfs_result.stdout, stdout=output_fd)
print("=== Repacked ramdisk: '{}' ===".format(out_ramdisk_file))
@property
def ramdisk_dir(self):
"""Returns the internal ramdisk dir."""
return self._ramdisk_dir
class BootImage:
"""A class that supports packing/unpacking a boot.img and ramdisk."""
def __init__(self, bootimg):
self._bootimg = bootimg
self._bootimg_dir = None
self._bootimg_type = None
self._ramdisk = None
self._previous_mkbootimg_args = []
self._temp_file_manager = TempFileManager()
self._unpack_bootimg()
def _get_vendor_ramdisks(self):
"""Returns a list of vendor ramdisks after unpack."""
return sorted(glob.glob(
os.path.join(self._bootimg_dir, 'vendor_ramdisk*')))
def _unpack_bootimg(self):
"""Unpacks the boot.img and the ramdisk inside."""
self._bootimg_dir = self._temp_file_manager.make_temp_dir(
suffix='_' + os.path.basename(self._bootimg))
# Unpacks the boot.img first.
unpack_bootimg_cmds = [
'unpack_bootimg',
'--boot_img', self._bootimg,
'--out', self._bootimg_dir,
'--format=mkbootimg',
]
result = subprocess.run(unpack_bootimg_cmds, check=True,
capture_output=True, encoding='utf-8')
self._previous_mkbootimg_args = shlex.split(result.stdout)
print("=== Unpacked boot image: '{}' ===".format(self._bootimg))
# From the output dir, checks there is 'ramdisk' or 'vendor_ramdisk'.
ramdisk = os.path.join(self._bootimg_dir, 'ramdisk')
vendor_ramdisk = os.path.join(self._bootimg_dir, 'vendor_ramdisk')
vendor_ramdisks = self._get_vendor_ramdisks()
if os.path.exists(ramdisk):
self._ramdisk = RamdiskImage(ramdisk)
self._bootimg_type = BootImageType.BOOT_IMAGE
elif os.path.exists(vendor_ramdisk):
self._ramdisk = RamdiskImage(vendor_ramdisk)
self._bootimg_type = BootImageType.VENDOR_BOOT_IMAGE
elif len(vendor_ramdisks) == 1:
self._ramdisk = RamdiskImage(vendor_ramdisks[0])
self._bootimg_type = BootImageType.SINGLE_RAMDISK_FRAGMENT
elif len(vendor_ramdisks) > 1:
# Creates an empty RamdiskImage() below, without unpack.
# We'll then add files into this newly created ramdisk, then pack
# it with other vendor ramdisks together.
self._ramdisk = RamdiskImage(ramdisk_img=None, unpack=False)
self._bootimg_type = BootImageType.MULTIPLE_RAMDISK_FRAGMENTS
else:
raise RuntimeError('Both ramdisk and vendor_ramdisk do not exist.')
def repack_bootimg(self):
"""Repacks the ramdisk and rebuild the boot.img"""
new_ramdisk = self._temp_file_manager.make_temp_file(
prefix='ramdisk-patched')
self._ramdisk.repack_ramdisk(new_ramdisk)
mkbootimg_cmd = ['mkbootimg']
# Uses previous mkbootimg args, e.g., --vendor_cmdline, --dtb_offset.
mkbootimg_cmd.extend(self._previous_mkbootimg_args)
ramdisk_option = ''
if self._bootimg_type == BootImageType.BOOT_IMAGE:
ramdisk_option = '--ramdisk'
mkbootimg_cmd.extend(['--output', self._bootimg])
elif self._bootimg_type == BootImageType.VENDOR_BOOT_IMAGE:
ramdisk_option = '--vendor_ramdisk'
mkbootimg_cmd.extend(['--vendor_boot', self._bootimg])
elif self._bootimg_type == BootImageType.SINGLE_RAMDISK_FRAGMENT:
ramdisk_option = '--vendor_ramdisk_fragment'
mkbootimg_cmd.extend(['--vendor_boot', self._bootimg])
elif self._bootimg_type == BootImageType.MULTIPLE_RAMDISK_FRAGMENTS:
mkbootimg_cmd.extend(['--ramdisk_type', 'PLATFORM'])
ramdisk_name = (
'RAMDISK_' +
datetime.datetime.now().strftime('%Y-%m-%d_%H:%M:%S'))
mkbootimg_cmd.extend(['--ramdisk_name', ramdisk_name])
mkbootimg_cmd.extend(['--vendor_ramdisk_fragment', new_ramdisk])
mkbootimg_cmd.extend(['--vendor_boot', self._bootimg])
if ramdisk_option and ramdisk_option not in mkbootimg_cmd:
raise RuntimeError("Failed to find '{}' from:\n {}".format(
ramdisk_option, shlex.join(mkbootimg_cmd)))
# Replaces the original ramdisk with the newly packed ramdisk.
if ramdisk_option:
ramdisk_index = mkbootimg_cmd.index(ramdisk_option) + 1
mkbootimg_cmd[ramdisk_index] = new_ramdisk
subprocess.check_call(mkbootimg_cmd)
print("=== Repacked boot image: '{}' ===".format(self._bootimg))
def add_files(self, copy_pairs):
"""Copy files specified by copy_pairs into current ramdisk.
Args:
copy_pairs: a list of (src_pathname, dst_file) pairs.
"""
# Creates missing parent dirs with 0o755.
original_mask = os.umask(0o022)
for src_pathname, dst_file in copy_pairs:
dst_pathname = os.path.join(self.ramdisk_dir, dst_file)
dst_dir = os.path.dirname(dst_pathname)
if not os.path.exists(dst_dir):
print("Creating dir '{}'".format(dst_dir))
os.makedirs(dst_dir, 0o755)
print(f"Copying file '{src_pathname}' to '{dst_pathname}'")
shutil.copy2(src_pathname, dst_pathname, follow_symlinks=False)
os.umask(original_mask)
@property
def ramdisk_dir(self):
"""Returns the internal ramdisk dir."""
return self._ramdisk.ramdisk_dir
def _get_repack_usage():
return """Usage examples:
* --ramdisk_add SRC_FILE:DST_FILE
If --local is given, copy SRC_FILE from the local filesystem to DST_FILE in
the ramdisk of --dst_bootimg.
If --src_bootimg is specified, copy SRC_FILE from the ramdisk of
--src_bootimg to DST_FILE in the ramdisk of --dst_bootimg.
Copies a local file 'userdebug_plat_sepolicy.cil' into the ramdisk of
--dst_bootimg, and then rebuild --dst_bootimg:
$ %(prog)s \\
--local --dst_bootimg vendor_boot-debug.img \\
--ramdisk_add userdebug_plat_sepolicy.cil:userdebug_plat_sepolicy.cil
Copies 'first_stage_ramdisk/userdebug_plat_sepolicy.cil' from the ramdisk
of --src_bootimg to 'userdebug_plat_sepolicy.cil' in the ramdisk of
--dst_bootimg, and then rebuild --dst_bootimg:
$ %(prog)s \\
--src_bootimg boot-debug-5.4.img --dst_bootimg vendor_boot-debug.img \\
--ramdisk_add first_stage_ramdisk/userdebug_plat_sepolicy.cil:userdebug_plat_sepolicy.cil
This option can be specified multiple times to copy multiple files:
$ %(prog)s \\
--local --dst_bootimg vendor_boot-debug.img \\
--ramdisk_add file1:path/in/dst_bootimg/file1 \\
--ramdisk_add file2:path/in/dst_bootimg/file2
"""
def _parse_args():
"""Parse command-line options."""
parser = argparse.ArgumentParser(
formatter_class=argparse.RawDescriptionHelpFormatter,
description='Repacks boot, recovery or vendor_boot image by importing '
'ramdisk files from --src_bootimg to --dst_bootimg.',
epilog=_get_repack_usage(),
)
src_group = parser.add_mutually_exclusive_group(required=True)
src_group.add_argument(
'--src_bootimg', help='filename to source boot image',
type=BootImage)
src_group.add_argument(
'--local', help='use local files as repack source',
action='store_true')
parser.add_argument(
'--dst_bootimg', help='filename to destination boot image',
type=BootImage, required=True)
parser.add_argument(
'--ramdisk_add', metavar='SRC_FILE:DST_FILE',
help='a copy pair to copy into the ramdisk of --dst_bootimg',
action='extend', nargs='+', required=True)
args = parser.parse_args()
# Parse args.ramdisk_add to a list of copy pairs.
if args.src_bootimg:
args.ramdisk_add = [
_parse_ramdisk_copy_pair(p, args.src_bootimg.ramdisk_dir)
for p in args.ramdisk_add
]
else:
# Repack from local files.
args.ramdisk_add = [
_parse_ramdisk_copy_pair(p) for p in args.ramdisk_add
]
return args
def _parse_ramdisk_copy_pair(pair, src_ramdisk_dir=None):
"""Parse a ramdisk copy pair argument."""
if ':' in pair:
src_file, dst_file = pair.split(':', maxsplit=1)
else:
src_file = dst_file = pair
# os.path.join() only works on relative path components.
# If a component is an absolute path, all previous components are thrown
# away and joining continues from the absolute path component.
# So make sure the file name is not absolute before calling os.path.join().
if src_ramdisk_dir:
if os.path.isabs(src_file):
raise ValueError('file name cannot be absolute when repacking from '
'a ramdisk: ' + src_file)
src_pathname = os.path.join(src_ramdisk_dir, src_file)
else:
src_pathname = src_file
if os.path.isabs(dst_file):
raise ValueError('destination file name cannot be absolute: ' +
dst_file)
return (src_pathname, dst_file)
def main():
"""Parse arguments and repack boot image."""
args = _parse_args()
args.dst_bootimg.add_files(args.ramdisk_add)
args.dst_bootimg.repack_bootimg()
if __name__ == '__main__':
main()
|