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 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368
|
# Copyright 2019 The Chromium Authors
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
import collections
import contextlib
import glob
import json
import logging
import os
import socket
import stat
import subprocess
import threading
import time
from google.protobuf import text_format # pylint: disable=import-error
from devil import base_error
from devil.android import apk_helper
from devil.android import device_utils
from devil.android.sdk import adb_wrapper
from devil.android.sdk import version_codes
from devil.android.tools import system_app
from devil.utils import cmd_helper
from devil.utils import timeout_retry
from py_utils import tempfile_ext
from pylib import constants
from pylib.local.emulator import ini
from pylib.local.emulator.proto import avd_pb2
from lib.proto import exception_recorder
from lib.proto import measures
# A common root directory to store the CIPD packages for creating or starting
# the emulator instance, e.g. emulator binary, system images, AVDs.
COMMON_CIPD_ROOT = os.path.join(constants.DIR_SOURCE_ROOT, '.android_emulator')
# Packages that are needed for runtime.
_PACKAGES_RUNTIME = object()
# Packages that are needed during AVD creation.
_PACKAGES_CREATION = object()
# All the packages that could exist in the AVD config file.
_PACKAGES_ALL = object()
# These files are used as backing files for corresponding qcow2 images.
_BACKING_FILES = ('system.img', 'vendor.img')
_DEFAULT_AVDMANAGER_PATH = os.path.join(constants.ANDROID_SDK_ROOT,
'cmdline-tools', 'latest', 'bin',
'avdmanager')
# Additional debug tags we would like to have when "--debug-tags" is passed.
_DEFAULT_DEBUG_TAGS = (
'time', # Show the timestamp in the logs.
'-asconnector', # Keep reporting connection error so disable.
# The following are disabled because they flood the logs.
'-qemud',
'-gps',
'-sensors',
)
# Default to a 480dp mdpi screen (a relatively large phone).
# See https://developer.android.com/training/multiscreen/screensizes
# and https://developer.android.com/training/multiscreen/screendensities
# for more information.
_DEFAULT_SCREEN_DENSITY = 160
_DEFAULT_SCREEN_HEIGHT = 960
_DEFAULT_SCREEN_WIDTH = 480
# Default to swiftshader_indirect since it works for most cases.
_DEFAULT_GPU_MODE = 'swiftshader_indirect'
# The snapshot name to load/save when writable_system=False.
# This is the default name used by the emulator binary.
_DEFAULT_SNAPSHOT_NAME = 'default_boot'
# crbug.com/1275767: Set long press timeout to 1000ms to reduce the flakiness
# caused by click being incorrectly interpreted as longclick.
_LONG_PRESS_TIMEOUT = '1000'
# The snapshot name to load/save when writable_system=True
_SYSTEM_SNAPSHOT_NAME = 'boot_with_system'
_SDCARD_NAME = 'cr-sdcard.img'
class AvdException(Exception):
"""Raised when this module has a problem interacting with an AVD."""
def __init__(self, summary, command=None, stdout=None, stderr=None):
message_parts = [summary]
if command:
message_parts.append(' command: %s' % ' '.join(command))
if stdout:
message_parts.append(' stdout:')
message_parts.extend(' %s' % line for line in stdout.splitlines())
if stderr:
message_parts.append(' stderr:')
message_parts.extend(' %s' % line for line in stderr.splitlines())
# avd.py is executed with python2.
# pylint: disable=R1725
super(AvdException, self).__init__('\n'.join(message_parts))
class AvdStartException(AvdException):
"""Exception for AVD start failures."""
def _Load(avd_proto_path):
"""Loads an Avd proto from a textpb file at the given path.
Should not be called outside of this module.
Args:
avd_proto_path: path to a textpb file containing an Avd message.
"""
with open(avd_proto_path) as avd_proto_file:
# python generated codes are simplified since Protobuf v3.20.0 and cause
# pylint error: https://github.com/protocolbuffers/protobuf/issues/9730
# pylint: disable=no-member
return text_format.Merge(avd_proto_file.read(), avd_pb2.Avd())
def _FindMinSdkFile(apk_dir, min_sdk):
"""Finds the apk file associated with the min_sdk file.
This reads a version.json file located in the apk_dir to find an apk file
that is closest without going over the min_sdk.
Args:
apk_dir: The directory to look for apk files.
min_sdk: The minimum sdk version supported by the device.
Returns:
The path to the file that suits the minSdkFile or None
"""
json_file = os.path.join(apk_dir, 'version.json')
if not os.path.exists(json_file):
logging.error('Json version file not found: %s', json_file)
return None
min_sdk_found = None
curr_min_sdk_version = 0
with open(json_file) as f:
data = json.loads(f.read())
# Finds the entry that is closest to min_sdk without going over.
for entry in data:
if (entry['min_sdk'] > curr_min_sdk_version
and entry['min_sdk'] <= min_sdk):
min_sdk_found = entry
curr_min_sdk_version = entry['min_sdk']
if not min_sdk_found:
logging.error('No suitable apk file found that suits the minimum sdk %d.',
min_sdk)
return None
logging.info('Found apk file for mininum sdk %d: %r with version %r',
min_sdk, min_sdk_found['file_name'],
min_sdk_found['version_name'])
return os.path.join(apk_dir, min_sdk_found['file_name'])
def ProcessDebugTags(debug_tags_str, default_debug_tags=None):
"""Given a string of debug tags, process them and return as a list."""
tags = set(debug_tags_str.split(','))
if default_debug_tags:
tags |= set(default_debug_tags)
# The disabled tags, i.e. tags with prefix '-', should come later otherwise
# the logging will not work properly.
return sorted(tags, key=lambda t: (t.startswith('-'), t))
class _AvdManagerAgent:
"""Private utility for interacting with avdmanager."""
def __init__(self, avd_home, sdk_root):
"""Create an _AvdManagerAgent.
Args:
avd_home: path to ANDROID_AVD_HOME directory.
Typically something like /path/to/dir/.android/avd
sdk_root: path to SDK root directory.
"""
self._avd_home = avd_home
self._sdk_root = sdk_root
self._env = dict(os.environ)
# The avdmanager from cmdline-tools would look two levels
# up from toolsdir to find the SDK root.
# Pass avdmanager a fake directory under the directory in which
# we install the system images s.t. avdmanager can find the
# system images.
fake_tools_dir = os.path.join(self._sdk_root, 'non-existent-tools',
'non-existent-version')
self._env.update({
'ANDROID_AVD_HOME':
self._avd_home,
'AVDMANAGER_OPTS':
'-Dcom.android.sdkmanager.toolsdir=%s' % fake_tools_dir,
'JAVA_HOME':
constants.JAVA_HOME,
})
def Create(self, avd_name, system_image, force=False):
"""Call `avdmanager create`.
Args:
avd_name: name of the AVD to create.
system_image: system image to use for the AVD.
force: whether to force creation, overwriting any existing
AVD with the same name.
"""
create_cmd = [
_DEFAULT_AVDMANAGER_PATH,
'-v',
'create',
'avd',
'-n',
avd_name,
'-k',
system_image,
]
if force:
create_cmd += ['--force']
create_proc = cmd_helper.Popen(create_cmd,
stdin=subprocess.PIPE,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
env=self._env)
output, error = create_proc.communicate(input='\n')
if create_proc.returncode != 0:
raise AvdException('AVD creation failed',
command=create_cmd,
stdout=output,
stderr=error)
for line in output.splitlines():
logging.info(' %s', line)
def Delete(self, avd_name):
"""Call `avdmanager delete`.
Args:
avd_name: name of the AVD to delete.
"""
delete_cmd = [
_DEFAULT_AVDMANAGER_PATH,
'-v',
'delete',
'avd',
'-n',
avd_name,
]
try:
for line in cmd_helper.IterCmdOutputLines(delete_cmd, env=self._env):
logging.info(' %s', line)
except subprocess.CalledProcessError as e:
# avd.py is executed with python2.
# pylint: disable=W0707
raise AvdException('AVD deletion failed: %s' % str(e), command=delete_cmd)
def List(self):
"""List existing AVDs by the name."""
list_cmd = [
_DEFAULT_AVDMANAGER_PATH,
'-v',
'list',
'avd',
'-c',
]
output = cmd_helper.GetCmdOutput(list_cmd, env=self._env)
return output.splitlines()
def IsAvailable(self, avd_name):
"""Check if an AVD exists or not."""
return avd_name in self.List()
class AvdConfig:
"""Represents a particular AVD configuration.
This class supports creation, installation, and execution of an AVD
from a given Avd proto message, as defined in
//build/android/pylib/local/emulator/proto/avd.proto.
"""
def __init__(self, avd_proto_path):
"""Create an AvdConfig object.
Args:
avd_proto_path: path to a textpb file containing an Avd message.
"""
self.avd_proto_path = avd_proto_path
self.avd_proto_name = os.path.splitext(os.path.basename(avd_proto_path))[0]
self._config = _Load(avd_proto_path)
self._initialized = False
self._initializer_lock = threading.Lock()
@property
def emulator_home(self):
"""User-specific emulator configuration directory.
It corresponds to the environment variable $ANDROID_EMULATOR_HOME.
Configs like advancedFeatures.ini are expected to be under this dir.
"""
return os.path.join(COMMON_CIPD_ROOT,
self.GetDestPath(self._config.avd_package))
@property
def emulator_sdk_root(self):
"""The path to the SDK installation directory.
It corresponds to the environment variable $ANDROID_HOME.
To be a valid sdk root, it requires to have the subdirecotries "platforms"
and "platform-tools". See http://bit.ly/2YAkyFE for context.
Also, it is expected to have subdirecotries "emulator" and "system-images".
"""
emulator_sdk_root = os.path.join(
COMMON_CIPD_ROOT, self.GetDestPath(self._config.emulator_package))
# Ensure this is a valid sdk root.
required_dirs = [
os.path.join(emulator_sdk_root, 'platforms'),
os.path.join(emulator_sdk_root, 'platform-tools'),
]
for d in required_dirs:
if not os.path.exists(d):
os.makedirs(d)
return emulator_sdk_root
@property
def emulator_path(self):
"""The path to the emulator binary."""
return os.path.join(self.emulator_sdk_root, 'emulator', 'emulator')
@property
def crashreport_path(self):
"""The path to the crashreport binary."""
return os.path.join(self.emulator_sdk_root, 'emulator', 'crashreport')
@property
def qemu_img_path(self):
"""The path to the qemu-img binary.
This is used to rebase the paths in qcow2 images.
"""
return os.path.join(self.emulator_sdk_root, 'emulator', 'qemu-img')
@property
def mksdcard_path(self):
"""The path to the mksdcard binary.
This is used to create a sdcard image.
"""
return os.path.join(self.emulator_sdk_root, 'emulator', 'mksdcard')
@property
def avd_settings(self):
"""The AvdSettings in the avd proto file.
This defines how to configure the AVD at creation.
"""
return self._config.avd_settings
@property
def avd_variants(self):
"""Get the AvdVairants in the avd proto file as a map.
An AvdVariant can include additional AvdSettings to apply to the AVD.
"""
return self._config.avd_variants
@property
def avd_launch_settings(self):
"""The AvdLaunchSettings in the avd proto file.
This defines AVD setting during launch time.
"""
return self._config.avd_launch_settings
@property
def avd_name(self):
"""The name of the AVD to create or use."""
return self._config.avd_name
@property
def avd_home(self):
"""The path that contains the files of one or multiple AVDs."""
avd_home = os.path.join(self.emulator_home, 'avd')
if not os.path.exists(avd_home):
os.makedirs(avd_home)
return avd_home
@property
def _avd_dir(self):
"""The path that contains the files of the given AVD."""
return os.path.join(self.avd_home, '%s.avd' % self.avd_name)
@property
def _system_image_dir(self):
"""The path of the directory that directly contains the system images.
For example, if the system_image_name is
"system-images;android-33;google_apis;x86_64"
The _system_image_dir will be:
<COMMON_CIPD_ROOT>/<dest_path>/system-images/android-33/google_apis/x86_64
This is used to rebase the paths in qcow2 images.
"""
return os.path.join(COMMON_CIPD_ROOT,
self.GetDestPath(self._config.system_image_package),
*self._config.system_image_name.split(';'))
@property
def _root_ini_path(self):
"""The <avd_name>.ini file of the given AVD."""
return os.path.join(self.avd_home, '%s.ini' % self.avd_name)
@property
def _config_ini_path(self):
"""The config.ini file under _avd_dir."""
return os.path.join(self._avd_dir, 'config.ini')
@property
def _features_ini_path(self):
return os.path.join(self.emulator_home, 'advancedFeatures.ini')
@property
def xdg_config_dir(self):
"""The base directory to store qt config file.
This dir should be added to the env variable $XDG_CONFIG_DIRS so that
_qt_config_path can take effect. See https://bit.ly/3HIQRZ3 for context.
"""
config_dir = os.path.join(self.emulator_home, '.config')
if not os.path.exists(config_dir):
os.makedirs(config_dir)
return config_dir
@property
def _qt_config_path(self):
"""The qt config file for emulator."""
qt_config_dir = os.path.join(self.xdg_config_dir,
'Android Open Source Project')
if not os.path.exists(qt_config_dir):
os.makedirs(qt_config_dir)
return os.path.join(qt_config_dir, 'Emulator.conf')
def GetMetadata(self):
"""Return a dict containing metadata of this avd config.
Including avd proto path, avd name, avd variant names, and etc.
"""
metadata = {
'avd_proto_path': self.avd_proto_path,
'is_available': self.IsAvailable(),
}
avd_variant_keys = sorted(self.avd_variants.keys())
if avd_variant_keys:
metadata['avd_variants'] = avd_variant_keys
return metadata
def GetDestPath(self, cipd_pkg):
"""Get the "dest_path" of a given CIPDPackage message.
Fall back to "self.avd_proto_name" if "dest_path" is empty.
"""
return cipd_pkg.dest_path or self.avd_proto_name
def HasSnapshot(self, snapshot_name):
"""Check if a given snapshot exists or not."""
snapshot_path = os.path.join(self._avd_dir, 'snapshots', snapshot_name,
'ram.bin')
return os.path.exists(snapshot_path)
def Create(self,
avd_variant_name=None,
force=False,
snapshot=False,
keep=False,
additional_apks=None,
privileged_apk_tuples=None,
cipd_json_output=None,
dry_run=False):
"""Create an instance of the AVD CIPD package.
This method:
- installs the requisite system image
- creates the AVD
- modifies the AVD's ini files to support running chromium tests
in chromium infrastructure
- optionally starts, installs additional apks and/or privileged apks, and
stops the AVD for snapshotting (default no)
- By default creates and uploads an instance of the AVD CIPD package
(can be turned off by dry_run flag).
- optionally deletes the AVD (default yes)
Args:
avd_variant_name: The name of the AvdVariant to use. Extra avd settings
from the variant will be applied during creation.
force: bool indicating whether to force create the AVD.
snapshot: bool indicating whether to snapshot the AVD before creating
the CIPD package.
keep: bool indicating whether to keep the AVD after creating
the CIPD package.
additional_apks: a list of strings contains the paths to the APKs. These
APKs will be installed after AVD is started.
privileged_apk_tuples: a list of (apk_path, device_partition) tuples where
|apk_path| is a string containing the path to the APK, and
|device_partition| is a string indicating the system image partition on
device that contains "priv-app" directory, e.g. "/system", "/product".
cipd_json_output: string path to pass to `cipd create` via -json-output.
dry_run: When set to True, it will skip the CIPD package creation
after creating the AVD.
"""
avd_settings = self.GetAvdSettings(avd_variant_name)
logging.info('avd_settings: %r', avd_settings)
logging.info('Installing required packages.')
self._InstallCipdPackages(_PACKAGES_CREATION)
avd_manager = _AvdManagerAgent(avd_home=self.avd_home,
sdk_root=self.emulator_sdk_root)
logging.info('Creating AVD.')
avd_manager.Create(avd_name=self.avd_name,
system_image=self._config.system_image_name,
force=force)
try:
logging.info('Modifying AVD configuration.')
# Clear out any previous configuration or state from this AVD.
with ini.update_ini_file(self._root_ini_path) as r_ini_contents:
r_ini_contents['path.rel'] = 'avd/%s.avd' % self.avd_name
with ini.update_ini_file(self._features_ini_path) as f_ini_contents:
# features_ini file will not be refreshed by avdmanager during
# creation. So explicitly clear its content to exclude any leftover
# from previous creation.
f_ini_contents.clear()
f_ini_contents.update(avd_settings.advanced_features)
self._UpdateAvdConfigFile(self._config_ini_path, avd_settings)
if not additional_apks:
additional_apks = []
for pkg in self._config.additional_apk:
apk_dir = os.path.join(COMMON_CIPD_ROOT, self.GetDestPath(pkg))
apk_file = _FindMinSdkFile(apk_dir, self._config.min_sdk)
# Some of these files come from chrome internal, so may not be
# available to non-internal permissioned users.
if os.path.exists(apk_file):
logging.info('Adding additional apk for install: %s', apk_file)
additional_apks.append(apk_file)
if not privileged_apk_tuples:
privileged_apk_tuples = []
for pkg in self._config.privileged_apk:
apk_dir = os.path.join(COMMON_CIPD_ROOT, self.GetDestPath(pkg))
apk_file = _FindMinSdkFile(apk_dir, self._config.min_sdk)
# Some of these files come from chrome internal, so may not be
# available to non-internal permissioned users.
if os.path.exists(apk_file):
logging.info('Adding privilege apk for install: %s', apk_file)
privileged_apk_tuples.append(
(apk_file, self._config.install_privileged_apk_partition))
# Start & stop the AVD.
self._Initialize()
instance = _AvdInstance(self)
# Enable debug for snapshot when it is set to True
debug_tags = 'time,init,snapshot' if snapshot else None
# Installing privileged apks requires modifying the system
# image.
writable_system = bool(privileged_apk_tuples)
gpu_mode = self.avd_launch_settings.gpu_mode or _DEFAULT_GPU_MODE
instance.Start(
ensure_system_settings=False,
read_only=False,
writable_system=writable_system,
gpu_mode=gpu_mode,
debug_tags=debug_tags,
)
assert instance.device is not None, '`instance.device` not initialized.'
# Android devices with full-disk encryption are encrypted on first boot,
# and then get decrypted to continue the boot process (See details in
# https://bit.ly/3agmjcM).
# Wait for this step to complete since it can take a while for old OSs
# like M, otherwise the avd may have "Encryption Unsuccessful" error.
instance.device.WaitUntilFullyBooted(decrypt=True, timeout=360, retries=0)
logging.info('The build fingerprint of the system is %r',
instance.device.build_fingerprint)
if additional_apks:
for apk in additional_apks:
instance.device.Install(apk, allow_downgrade=True, reinstall=True)
package_name = apk_helper.GetPackageName(apk)
package_version = instance.device.GetApplicationVersion(package_name)
logging.info('The version for package %r on the device is %r',
package_name, package_version)
if privileged_apk_tuples:
system_app.InstallPrivilegedApps(instance.device, privileged_apk_tuples)
for apk, _ in privileged_apk_tuples:
package_name = apk_helper.GetPackageName(apk)
package_version = instance.device.GetApplicationVersion(package_name)
logging.info('The version for package %r on the device is %r',
package_name, package_version)
# Skip Marshmallow as svc commands fail on this version.
if instance.device.build_version_sdk != 23:
# Always disable the network to prevent built-in system apps from
# updating themselves, which could take over package manager and
# cause shell command timeout.
# Use svc as this also works on the images with build type "user", and
# does not require a reboot or broadcast compared to setting the
# airplane_mode_on in "settings/global".
logging.info('Disabling the network.')
instance.device.RunShellCommand(['svc', 'wifi', 'disable'],
as_root=True,
check_return=True)
# Certain system image like tablet does not have data service
# So don't check return status here.
instance.device.RunShellCommand(['svc', 'data', 'disable'],
as_root=True,
check_return=False)
if snapshot:
logging.info('Wait additional 60 secs before saving snapshot for AVD')
time.sleep(60)
instance.SaveSnapshot()
instance.Stop()
# The multiinstance lock file seems to interfere with the emulator's
# operation in some circumstances (beyond the obvious -read-only ones),
# and there seems to be no mechanism by which it gets closed or deleted.
# See https://bit.ly/2pWQTH7 for context.
multiInstanceLockFile = os.path.join(self._avd_dir, 'multiinstance.lock')
if os.path.exists(multiInstanceLockFile):
os.unlink(multiInstanceLockFile)
package_def_content = {
'package':
self._config.avd_package.package_name,
'root':
self.emulator_home,
'install_mode':
'copy',
'data': [{
'dir': os.path.relpath(self._avd_dir, self.emulator_home)
}, {
'file':
os.path.relpath(self._root_ini_path, self.emulator_home)
}, {
'file':
os.path.relpath(self._features_ini_path, self.emulator_home)
}],
}
logging.info('Creating AVD CIPD package.')
logging.info('ensure file content: %s',
json.dumps(package_def_content, indent=2))
with tempfile_ext.TemporaryFileName(suffix='.json') as package_def_path:
with open(package_def_path, 'w') as package_def_file:
json.dump(package_def_content, package_def_file)
logging.info(' %s', self._config.avd_package.package_name)
cipd_create_cmd = [
'cipd',
'create',
'-pkg-def',
package_def_path,
'-tag',
'emulator_version:%s' % self._config.emulator_package.version,
'-tag',
'system_image_version:%s' %
self._config.system_image_package.version,
]
if cipd_json_output:
cipd_create_cmd.extend([
'-json-output',
cipd_json_output,
])
logging.info('running %r%s', cipd_create_cmd,
' (dry_run)' if dry_run else '')
if not dry_run:
try:
for line in cmd_helper.IterCmdOutputLines(cipd_create_cmd):
logging.info(' %s', line)
except subprocess.CalledProcessError as e:
# avd.py is executed with python2.
# pylint: disable=W0707
raise AvdException('CIPD package creation failed: %s' % str(e),
command=cipd_create_cmd)
finally:
if not keep:
logging.info('Deleting AVD.')
avd_manager.Delete(avd_name=self.avd_name)
def GetAvdSettings(self, avd_variant_name=None):
# python generated codes are simplified since Protobuf v3.20.0 and cause
# pylint error: https://github.com/protocolbuffers/protobuf/issues/9730
# pylint: disable=no-member
avd_settings = avd_pb2.AvdSettings()
avd_settings.MergeFrom(self.avd_settings)
if self.avd_variants:
if avd_variant_name is None:
raise AvdException('Avd variant not set for the avd config.')
if avd_variant_name not in self.avd_variants:
raise AvdException(
'Avd variant %r not found in avd config. Must be one of %r' %
(avd_variant_name, list(self.avd_variants.keys())))
avd_settings.MergeFrom(self.avd_variants[avd_variant_name])
elif avd_variant_name is not None:
raise AvdException('The avd config has no avd variants.')
return avd_settings
def _UpdateAvdConfigFile(self, config_file_path, avd_settings):
config_contents = {
'disk.dataPartition.size': '4G',
'hw.keyboard': 'yes',
'hw.mainKeys': 'no', # Show nav buttons on screen
'hw.sdCard': 'yes',
}
# Update avd_properties first so that they won't override settings
# like screen and ram_size
config_contents.update(avd_settings.avd_properties)
height = avd_settings.screen.height or _DEFAULT_SCREEN_HEIGHT
width = avd_settings.screen.width or _DEFAULT_SCREEN_WIDTH
density = avd_settings.screen.density or _DEFAULT_SCREEN_DENSITY
config_contents.update({
'hw.lcd.density': density,
'hw.lcd.height': height,
'hw.lcd.width': width,
})
if avd_settings.ram_size:
config_contents['hw.ramSize'] = avd_settings.ram_size
if avd_settings.sdcard.size:
sdcard_path = os.path.join(self._avd_dir, _SDCARD_NAME)
cmd_helper.RunCmd([
self.mksdcard_path,
avd_settings.sdcard.size,
sdcard_path,
])
config_contents['hw.sdCard.path'] = sdcard_path
with ini.update_ini_file(config_file_path) as config_ini_contents:
config_ini_contents.update(config_contents)
def IsAvailable(self):
"""Returns whether emulator is up-to-date."""
if not os.path.exists(self._config_ini_path):
return False
# Skip when no version exists to prevent "IsAvailable()" returning False
# for emualtors set up using Create() (rather than Install()).
for cipd_root, pkgs in self._IterCipdPackages(_PACKAGES_RUNTIME,
check_version=False):
stdout = subprocess.run(['cipd', 'installed', '--root', cipd_root],
capture_output=True,
check=False,
encoding='utf8').stdout
# Output looks like:
# Packages:
# name1:version1
# name2:version2
installed = [l.strip().split(':', 1) for l in stdout.splitlines()[1:]]
if any([p.package_name, p.version] not in installed for p in pkgs):
return False
return True
def Uninstall(self):
"""Uninstall all the artifacts associated with the given config.
Artifacts includes:
- CIPD packages specified in the avd config.
- The local AVD created by `Create`, if present.
"""
# Delete any existing local AVD. This must occur before deleting CIPD
# packages because a AVD needs system image to be recognized by avdmanager.
avd_manager = _AvdManagerAgent(avd_home=self.avd_home,
sdk_root=self.emulator_sdk_root)
if avd_manager.IsAvailable(self.avd_name):
logging.info('Deleting local AVD %s', self.avd_name)
avd_manager.Delete(self.avd_name)
# Delete installed CIPD packages.
for cipd_root, _ in self._IterCipdPackages(_PACKAGES_ALL,
check_version=False):
logging.info('Uninstalling packages in %s', cipd_root)
if not os.path.exists(cipd_root):
continue
# Create an empty ensure file to removed any installed CIPD packages.
ensure_path = os.path.join(cipd_root, '.ensure')
with open(ensure_path, 'w') as ensure_file:
ensure_file.write('$ParanoidMode CheckIntegrity\n\n')
ensure_cmd = [
'cipd',
'ensure',
'-ensure-file',
ensure_path,
'-root',
cipd_root,
]
try:
for line in cmd_helper.IterCmdOutputLines(ensure_cmd):
logging.info(' %s', line)
except subprocess.CalledProcessError as e:
# avd.py is executed with python2.
# pylint: disable=W0707
raise AvdException('Failed to uninstall CIPD packages: %s' % str(e),
command=ensure_cmd)
def Install(self):
"""Installs the requested CIPD packages and prepares them for use.
This includes making files writeable and revising some of the
emulator's internal config files.
Returns: None
Raises: AvdException on failure to install.
"""
with measures.time_consumption('emulator', 'install', 'cipd_packages'):
self._InstallCipdPackages(_PACKAGES_RUNTIME)
self._MakeWriteable()
self._UpdateConfigs()
self._RebaseQcow2Images()
def _RebaseQcow2Images(self):
"""Rebase the paths in qcow2 images.
qcow2 files may exists in avd directory which have hard-coded paths to the
backing files, e.g., system.img, vendor.img. Such paths need to be rebased
if the avd is moved to a different directory in order to boot successfully.
"""
for f in _BACKING_FILES:
qcow2_image_path = os.path.join(self._avd_dir, '%s.qcow2' % f)
if not os.path.exists(qcow2_image_path):
continue
backing_file_path = os.path.join(self._system_image_dir, f)
logging.info('Rebasing the qcow2 image %r with the backing file %r',
qcow2_image_path, backing_file_path)
cmd_helper.RunCmd([
self.qemu_img_path,
'rebase',
'-u',
'-f',
'qcow2',
'-b',
# The path to backing file must be relative to the qcow2 image.
os.path.relpath(backing_file_path, os.path.dirname(qcow2_image_path)),
qcow2_image_path,
])
def _ListPackages(self, packages):
if packages is _PACKAGES_RUNTIME:
packages = [
self._config.avd_package,
self._config.emulator_package,
self._config.system_image_package,
]
elif packages is _PACKAGES_CREATION:
packages = [
self._config.emulator_package,
self._config.system_image_package,
*self._config.privileged_apk,
*self._config.additional_apk,
]
elif packages is _PACKAGES_ALL:
packages = [
self._config.avd_package,
self._config.emulator_package,
self._config.system_image_package,
*self._config.privileged_apk,
*self._config.additional_apk,
]
return packages
def _IterCipdPackages(self, packages, check_version=True):
"""Iterate a list of CIPD packages by their CIPD roots.
Args:
packages: a list of packages from an AVD config.
check_version: If set, raise Exception when a package has no version.
"""
pkgs_by_dir = collections.defaultdict(list)
for pkg in self._ListPackages(packages):
if pkg.version:
pkgs_by_dir[self.GetDestPath(pkg)].append(pkg)
elif check_version:
raise AvdException('Expecting a version for the package %s' %
pkg.package_name)
for pkg_dir, pkgs in pkgs_by_dir.items():
cipd_root = os.path.join(COMMON_CIPD_ROOT, pkg_dir)
yield cipd_root, pkgs
def _InstallCipdPackages(self, packages, check_version=True):
for cipd_root, pkgs in self._IterCipdPackages(packages,
check_version=check_version):
logging.info('Installing packages in %s', cipd_root)
if not os.path.exists(cipd_root):
os.makedirs(cipd_root)
ensure_path = os.path.join(cipd_root, '.ensure')
with open(ensure_path, 'w') as ensure_file:
# Make CIPD ensure that all files are present and correct,
# even if it thinks the package is installed.
ensure_file.write('$ParanoidMode CheckIntegrity\n\n')
for pkg in pkgs:
ensure_file.write('%s %s\n' % (pkg.package_name, pkg.version))
logging.info(' %s %s', pkg.package_name, pkg.version)
ensure_cmd = [
'cipd',
'ensure',
'-ensure-file',
ensure_path,
'-root',
cipd_root,
]
try:
for line in cmd_helper.IterCmdOutputLines(ensure_cmd):
logging.info(' %s', line)
except subprocess.CalledProcessError as e:
exception_recorder.register(e)
# pylint: disable=W0707
raise AvdException('Failed to install CIPD packages: %s' % str(e),
command=ensure_cmd)
def _MakeWriteable(self):
# The emulator requires that some files are writable.
for dirname, _, filenames in os.walk(self.emulator_home):
for f in filenames:
path = os.path.join(dirname, f)
mode = os.lstat(path).st_mode
if mode & stat.S_IRUSR:
mode = mode | stat.S_IWUSR
os.chmod(path, mode)
def _UpdateConfigs(self):
"""Update various properties in config files after installation.
AVD config files contain some properties which can be different between AVD
creation and installation, e.g. hw.sdCard.path, which is an absolute path.
Update their values so that:
* Emulator instance can be booted correctly.
* The snapshot can be loaded successfully.
"""
logging.info('Updating AVD configurations.')
# Update the absolute avd path in root_ini file
with ini.update_ini_file(self._root_ini_path) as r_ini_contents:
r_ini_contents['path'] = self._avd_dir
# Update hardware settings.
config_paths = [self._config_ini_path]
# The file hardware.ini within each snapshot need to be updated as well.
hw_ini_glob_pattern = os.path.join(self._avd_dir, 'snapshots', '*',
'hardware.ini')
config_paths.extend(glob.glob(hw_ini_glob_pattern))
properties = {}
# Update hw.sdCard.path if applicable
sdcard_path = os.path.join(self._avd_dir, _SDCARD_NAME)
if os.path.exists(sdcard_path):
properties['hw.sdCard.path'] = sdcard_path
for config_path in config_paths:
with ini.update_ini_file(config_path) as config_contents:
config_contents.update(properties)
# Create qt config file to disable certain warnings when launched in window.
with ini.update_ini_file(self._qt_config_path) as config_contents:
# Disable nested virtualization warning.
config_contents['General'] = {'showNestedWarning': 'false'}
# Disable adb warning.
config_contents['set'] = {'autoFindAdb': 'false'}
def _Initialize(self):
if self._initialized:
return
with self._initializer_lock:
if self._initialized:
return
# Emulator start-up looks for the adb daemon. Make sure it's running.
adb_wrapper.AdbWrapper.StartServer()
# Emulator start-up requires a valid sdk root.
assert self.emulator_sdk_root
def CreateInstance(self, output_manager=None):
"""Creates an AVD instance without starting it.
Returns:
An _AvdInstance.
"""
self._Initialize()
return _AvdInstance(self, output_manager=output_manager)
def StartInstance(self):
"""Starts an AVD instance.
Returns:
An _AvdInstance.
"""
instance = self.CreateInstance()
instance.Start()
return instance
class _AvdInstance:
"""Represents a single running instance of an AVD.
This class should only be created directly by AvdConfig.StartInstance,
but its other methods can be freely called.
"""
def __init__(self, avd_config, output_manager=None):
"""Create an _AvdInstance object.
Args:
avd_config: an AvdConfig instance.
output_manager: a pylib.base.output_manager.OutputManager instance.
"""
self._avd_config = avd_config
self._avd_name = avd_config.avd_name
self._emulator_home = avd_config.emulator_home
self._emulator_path = avd_config.emulator_path
self._crashreport_path = avd_config.crashreport_path
self._emulator_proc = None
self._emulator_serial = None
self._emulator_device = None
self._output_manager = output_manager
self._output_file = None
self._writable_system = False
self._debug_tags = None
def __str__(self):
return '%s|%s' % (self._avd_name, (self._emulator_serial or id(self)))
def Start(self,
ensure_system_settings=True,
read_only=True,
window=False,
writable_system=False,
gpu_mode=None,
wipe_data=False,
debug_tags=None,
disk_size=None,
enable_network=False,
# TODO(crbug.com/364943269): Remove after clean all the references.
require_fast_start=False, # pylint: disable=unused-argument
retries=0):
"""Starts the emulator running an instance of the given AVD.
Note when ensure_system_settings is True, the program will wait until the
emulator is fully booted, and then update system settings.
"""
is_slow_start = False
# Force to load system snapshot if detected.
if self.HasSystemSnapshot():
if not writable_system:
logging.info('System snapshot found. Set "writable_system=True" '
'to load it properly.')
writable_system = True
if read_only:
logging.info('System snapshot found. Set "read_only=False" '
'to load it properly.')
read_only = False
elif writable_system:
is_slow_start = True
logging.warning('Emulator will be slow to start, as '
'"writable_system=True" but system snapshot not found.')
self._writable_system = writable_system
with tempfile_ext.TemporaryFileName() as socket_path, (contextlib.closing(
socket.socket(socket.AF_UNIX))) as sock:
sock.bind(socket_path)
emulator_cmd = [
self._emulator_path,
'-avd',
self._avd_name,
'-report-console',
'unix:%s' % socket_path,
'-no-boot-anim',
# Explicitly prevent emulator from auto-saving to snapshot on exit.
'-no-snapshot-save',
# Explicitly set the snapshot name for auto-load
'-snapshot',
self.GetSnapshotName(),
]
avd_type = self._avd_name.split('_')[1]
logging.info('Emulator Type: %s', avd_type)
if avd_type in ('car', '32', '34', '35'):
logging.info('Emulator will start slow')
is_slow_start = True
if wipe_data:
emulator_cmd.append('-wipe-data')
if disk_size:
emulator_cmd.extend(['-partition-size', str(disk_size)])
if read_only:
emulator_cmd.append('-read-only')
if writable_system:
emulator_cmd.append('-writable-system')
# Note when "--gpu-mode" is set to "host":
# * It needs a valid DISPLAY env, even if "--emulator-window" is false.
# Otherwise it may throw errors like "Failed to initialize backend
# EGL display". See the code in https://bit.ly/3ruiMlB as an example
# to setup the DISPLAY env with xvfb.
# * It will not work under remote sessions like chrome remote desktop.
if not gpu_mode:
gpu_mode = (self._avd_config.avd_launch_settings.gpu_mode
or _DEFAULT_GPU_MODE)
emulator_cmd.extend(['-gpu', gpu_mode])
if debug_tags:
self._debug_tags = ProcessDebugTags(
debug_tags, default_debug_tags=_DEFAULT_DEBUG_TAGS)
emulator_cmd.extend(['-debug', ','.join(self._debug_tags)])
if 'kernel' in self._debug_tags or 'all' in self._debug_tags:
# TODO(crbug.com/40885864): newer API levels need "-virtio-console"
# as well to print kernel log.
emulator_cmd.append('-show-kernel')
emulator_env = {
# kill as early as possible when emulator hang.
'ANDROID_EMULATOR_WAIT_TIME_BEFORE_KILL': '1',
# Sets the emulator configuration directory
'ANDROID_EMULATOR_HOME': self._emulator_home,
# emulator tools like crashreport need $USER info to locate data.
'USER': os.environ.get('USER'),
}
if 'DISPLAY' in os.environ:
emulator_env['DISPLAY'] = os.environ.get('DISPLAY')
if window:
if 'DISPLAY' not in emulator_env:
raise AvdException('Emulator failed to start: DISPLAY not defined')
else:
emulator_cmd.append('-no-window')
# Need this for the qt config file to take effect.
xdg_config_dirs = [self._avd_config.xdg_config_dir]
if 'XDG_CONFIG_DIRS' in os.environ:
xdg_config_dirs.append(os.environ.get('XDG_CONFIG_DIRS'))
emulator_env['XDG_CONFIG_DIRS'] = ':'.join(xdg_config_dirs)
sock.listen(1)
logging.info('Starting emulator...')
logging.info(
' With environments: %s',
' '.join(['%s=%s' % (k, v) for k, v in emulator_env.items()]))
logging.info(' With commands: %s', ' '.join(emulator_cmd))
# Enable the emulator log when debug_tags is set.
if self._debug_tags:
# Write to an ArchivedFile if output manager is set, otherwise stdout.
if self._output_manager:
self._output_file = self._output_manager.CreateArchivedFile(
'emulator_%s' % time.strftime('%Y%m%dT%H%M%S-UTC', time.gmtime()),
'emulator')
else:
self._output_file = open('/dev/null', 'w')
self._emulator_proc = cmd_helper.Popen(emulator_cmd,
stdout=self._output_file,
stderr=self._output_file,
env=emulator_env)
# Waits for the emulator to report its serial as requested via
# -report-console. See http://bit.ly/2lK3L18 for more.
def listen_for_serial(s):
logging.info('Waiting for connection from emulator.')
with contextlib.closing(s.accept()[0]) as conn:
val = conn.recv(1024)
return 'emulator-%d' % int(val)
try:
with measures.time_consumption('emulator', 'start',
'listen_for_serial'):
self._emulator_serial = timeout_retry.Run(
listen_for_serial,
timeout=300 if is_slow_start else 120,
retries=retries,
args=[sock])
logging.info('%s started', self._emulator_serial)
except base_error.BaseError as e:
self.Stop(force=True)
raise AvdStartException(str(e)) from e
try:
# Set the system settings in "Start" here instead of setting in "Create"
# because "Create" is used during AVD creation, and we want to avoid extra
# turn-around on rolling AVD.
if ensure_system_settings:
assert self.device is not None, '`instance.device` not initialized.'
logging.info('Waiting for device to be fully booted.')
self.device.WaitUntilFullyBooted(timeout=360 if is_slow_start else 90,
retries=retries)
logging.info('Device fully booted, verifying system settings.')
_EnsureSystemSettings(self.device)
if enable_network:
_EnableNetwork(self.device)
except base_error.BaseError as e:
self.UploadCrashreport()
raise AvdStartException(str(e)) from e
def Stop(self, force=False):
"""Stops the emulator process.
When "force" is True, we will call "terminate" on the emulator process,
which is recommended when emulator is not responding to adb commands.
"""
# Close output file first in case emulator process killing goes wrong.
if self._output_file:
if self._debug_tags:
if self._output_manager:
self._output_manager.ArchiveArchivedFile(self._output_file,
delete=True)
link = self._output_file.Link()
if link:
logging.critical('Emulator logs saved to %s', link)
else:
self._output_file.close()
self._output_file = None
if self._emulator_proc:
if self._emulator_proc.poll() is None:
if force or not self.device:
self._emulator_proc.terminate()
else:
self.device.adb.Emu('kill')
self._emulator_proc.wait()
self._emulator_proc = None
self._emulator_serial = None
self._emulator_device = None
def UploadCrashreport(self):
# The crashreport binary only exists in newer emulator releases.
if not os.path.exists(self._crashreport_path):
return
logging.info('Uploading local crashing reports.')
output = cmd_helper.GetCmdOutput([self._crashreport_path, '-u'])
for line in output.splitlines():
logging.info(' %s', line)
def GetSnapshotName(self):
"""Return the snapshot name to load/save.
Emulator has a different snapshot process when '-writable-system' flag is
set (See https://issuetracker.google.com/issues/135857816#comment8).
"""
if self._writable_system:
return _SYSTEM_SNAPSHOT_NAME
return _DEFAULT_SNAPSHOT_NAME
def HasSystemSnapshot(self):
"""Check if the instance has the snapshot named _SYSTEM_SNAPSHOT_NAME."""
return self._avd_config.HasSnapshot(_SYSTEM_SNAPSHOT_NAME)
def SaveSnapshot(self):
snapshot_name = self.GetSnapshotName()
if self.device:
logging.info('Saving snapshot to %r.', snapshot_name)
self.device.adb.Emu(['avd', 'snapshot', 'save', snapshot_name])
@property
def serial(self):
return self._emulator_serial
@property
def device(self):
if not self._emulator_device and self._emulator_serial:
self._emulator_device = device_utils.DeviceUtils(self._emulator_serial)
return self._emulator_device
# TODO(crbug.com/40207212): Refactor it to a dict-based approach.
def _EnsureSystemSettings(device):
set_long_press_timeout_cmd = [
'settings', 'put', 'secure', 'long_press_timeout', _LONG_PRESS_TIMEOUT
]
device.RunShellCommand(set_long_press_timeout_cmd, check_return=True)
# Verify if long_press_timeout is set correctly.
get_long_press_timeout_cmd = [
'settings', 'get', 'secure', 'long_press_timeout'
]
adb_output = device.RunShellCommand(get_long_press_timeout_cmd,
check_return=True)
if _LONG_PRESS_TIMEOUT in adb_output:
logging.info('long_press_timeout set to %r', _LONG_PRESS_TIMEOUT)
else:
logging.warning('long_press_timeout is not set correctly')
# TODO(crbug.com/40283631): Move the date sync function to device_utils.py
if device.IsUserBuild():
logging.warning('Cannot sync the device date on "user" build')
return
logging.info('Sync the device date.')
timezone = device.RunShellCommand(['date', '+"%Z"'],
single_line=True,
check_return=True)
if timezone != 'UTC':
device.RunShellCommand(['setprop', 'persist.sys.timezone', '"Etc/UTC"'],
check_return=True,
as_root=True)
set_date_format = '%Y%m%d.%H%M%S'
set_date_command = ['date', '-s']
if device.build_version_sdk >= version_codes.MARSHMALLOW:
set_date_format = '%m%d%H%M%Y.%S'
set_date_command = ['date']
strgmtime = time.strftime(set_date_format, time.gmtime())
set_date_command.append(strgmtime)
device.RunShellCommand(set_date_command, check_return=True, as_root=True)
logging.info('Hide system error dialogs such as crash and ANR dialogs.')
device.RunShellCommand(
['settings', 'put', 'global', 'hide_error_dialogs', '1'])
def _EnableNetwork(device):
logging.info('Enable the network on the emulator.')
# TODO(crbug.com/40282869): Remove airplane_mode once all AVD
# are rolled to svc-based version.
device.RunShellCommand(
['settings', 'put', 'global', 'airplane_mode_on', '0'], as_root=True)
device.RunShellCommand(
['am', 'broadcast', '-a', 'android.intent.action.AIRPLANE_MODE'],
as_root=True)
device.RunShellCommand(['svc', 'wifi', 'enable'], as_root=True)
device.RunShellCommand(['svc', 'data', 'enable'], as_root=True)
|