tauto -  aggresive removal of non-test libs in server/cros

BUG=none
TEST=dummy_Pass

Change-Id: Ie387d4a8469e72e602d236d1b5e75c4dbeb51ffe
Reviewed-on: https://chromium-review.googlesource.com/c/chromiumos/platform/tauto/+/3120091
Tested-by: Derek Beckett <dbeckett@chromium.org>
Auto-Submit: Derek Beckett <dbeckett@chromium.org>
Reviewed-by: Ruben Zakarian <rzakarian@chromium.org>
Commit-Queue: Ruben Zakarian <rzakarian@chromium.org>
diff --git a/server/cros/storage/__init__.py b/server/consts/__init__.py
similarity index 100%
rename from server/cros/storage/__init__.py
rename to server/consts/__init__.py
diff --git a/server/consts/common.py b/server/consts/common.py
new file mode 100644
index 0000000..41607e1
--- /dev/null
+++ b/server/consts/common.py
@@ -0,0 +1,8 @@
+import os, sys
+dirname = os.path.dirname(sys.modules[__name__].__file__)
+autotest_dir = os.path.abspath(os.path.join(dirname, "..", ".."))
+client_dir = os.path.join(autotest_dir, "client")
+sys.path.insert(0, client_dir)
+import setup_modules
+sys.path.pop(0)
+setup_modules.setup(base_path=autotest_dir, root_module_name="autotest_lib")
diff --git a/server/consts/consts.py b/server/consts/consts.py
new file mode 100644
index 0000000..550905a
--- /dev/null
+++ b/server/consts/consts.py
@@ -0,0 +1,44 @@
+# Copyright (c) 2021 The Chromium OS Authors. All rights reserved.
+# Use of this source code is governed by a BSD-style license that can be
+# found in the LICENSE file.
+
+import re
+
+import common
+
+from autotest_lib.utils.labellib import Key
+
+### Constants for label prefixes
+CROS_VERSION_PREFIX = Key.CROS_VERSION
+CROS_ANDROID_VERSION_PREFIX = Key.CROS_ANDROID_VERSION
+FW_RW_VERSION_PREFIX = Key.FIRMWARE_RW_VERSION
+FW_RO_VERSION_PREFIX = Key.FIRMWARE_RO_VERSION
+FW_CR50_RW_VERSION_PREFIX = Key.FIRMWARE_CR50_RW_VERSION
+
+# So far the word cheets is only way to distinguish between ARC and Android
+# build.
+_CROS_ANDROID_BUILD_REGEX = r'.+/cheets.*/P?([0-9]+|LATEST)'
+
+
+def get_version_label_prefix(image):
+    """
+    Determine a version label prefix from a given image name.
+
+    Parses `image` to determine what kind of image it refers
+    to, and returns the corresponding version label prefix.
+
+    Known version label prefixes are:
+      * `CROS_VERSION_PREFIX` for Chrome OS version strings.
+        These images have names like `cave-release/R57-9030.0.0`.
+      * `CROS_ANDROID_VERSION_PREFIX` for Chrome OS Android version strings.
+        These images have names like `git_nyc-arc/cheets_x86-user/3512523`.
+
+    @param image: The image name to be parsed.
+    @returns: A string that is the prefix of version labels for the type
+              of image identified by `image`.
+
+    """
+    if re.match(_CROS_ANDROID_BUILD_REGEX, image, re.I):
+        return CROS_ANDROID_VERSION_PREFIX
+    else:
+        return CROS_VERSION_PREFIX
diff --git a/server/cros/dark_resume_utils.py b/server/cros/dark_resume_utils.py
deleted file mode 100644
index e17ab10..0000000
--- a/server/cros/dark_resume_utils.py
+++ /dev/null
@@ -1,133 +0,0 @@
-# Copyright 2014 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import logging
-
-from autotest_lib.client.cros import constants
-from autotest_lib.server import autotest
-
-POWER_DIR = '/var/lib/power_manager'
-TMP_POWER_DIR = '/tmp/power_manager'
-POWER_DEFAULTS = '/usr/share/power_manager/board_specific'
-
-RESUME_CTRL_RETRIES = 3
-RESUME_GRACE_PERIOD = 10
-XMLRPC_BRINGUP_TIMEOUT_SECONDS = 60
-DARK_SUSPEND_MAX_DELAY_TIMEOUT_MILLISECONDS = 60000
-
-
-class DarkResumeUtils(object):
-    """Class containing common functionality for tests which exercise dark
-    resume pathways. We set up powerd to allow dark resume and also configure
-    the suspended devices so that the backchannel can stay up. We can also
-    check for the number of dark resumes that have happened in a particular
-    suspend request.
-    """
-
-
-    def __init__(self, host, duration=0):
-        """Set up powerd preferences so we will properly go into dark resume,
-        and still be able to communicate with the DUT.
-
-        @param host: the DUT to set up dark resume for
-
-        """
-        self._host = host
-        logging.info('Setting up dark resume preferences')
-
-        # Make temporary directory, which will be used to hold
-        # temporary preferences. We want to avoid writing into
-        # /var/lib so we don't have to save any state.
-        logging.debug('Creating temporary powerd prefs at %s', TMP_POWER_DIR)
-        host.run('mkdir -p %s' % TMP_POWER_DIR)
-
-        logging.debug('Enabling dark resume')
-        host.run('echo 0 > %s/disable_dark_resume' % TMP_POWER_DIR)
-        logging.debug('setting max dark suspend delay timeout to %d msecs',
-                  DARK_SUSPEND_MAX_DELAY_TIMEOUT_MILLISECONDS)
-        host.run('echo %d > %s/max_dark_suspend_delay_timeout_ms' %
-                 (DARK_SUSPEND_MAX_DELAY_TIMEOUT_MILLISECONDS, TMP_POWER_DIR))
-
-        # bind the tmp directory to the power preference directory
-        host.run('mount --bind %s %s' % (TMP_POWER_DIR, POWER_DIR))
-
-        logging.debug('Restarting powerd with new settings')
-        host.run('stop powerd; start powerd')
-
-        logging.debug('Starting XMLRPC session to watch for dark resumes')
-        self._client_proxy = self._get_xmlrpc_proxy()
-
-
-    def teardown(self):
-        """Clean up changes made by DarkResumeUtils."""
-
-        logging.info('Tearing down dark resume preferences')
-
-        logging.debug('Cleaning up temporary powerd bind mounts')
-        self._host.run('umount %s' % POWER_DIR)
-
-        logging.debug('Restarting powerd to revert to old settings')
-        self._host.run('stop powerd; start powerd')
-
-
-    def suspend(self, suspend_secs):
-        """ Suspends the device for |suspend_secs| without blocking for resume.
-
-        @param suspend_secs : Sleep for seconds. Sets a RTC alarm to wake the
-                              system.
-        """
-        logging.info('Suspending DUT (in background)...')
-        self._client_proxy.suspend_bg(suspend_secs)
-
-
-    def stop_resuspend_on_dark_resume(self, stop_resuspend=True):
-        """
-        If |stop_resuspend| is True, stops re-suspend on seeing a dark resume.
-        """
-        self._client_proxy.set_stop_resuspend(stop_resuspend)
-
-
-    def count_dark_resumes(self):
-        """Return the number of dark resumes since the beginning of the test.
-
-        This method will raise an error if the DUT is not reachable.
-
-        @return the number of dark resumes counted by this DarkResumeUtils
-
-        """
-        return self._client_proxy.get_dark_resume_count()
-
-
-
-    def host_has_lid(self):
-        """Returns True if the DUT has a lid."""
-        return self._client_proxy.has_lid()
-
-
-    def _get_xmlrpc_proxy(self):
-        """Get a dark resume XMLRPC proxy for the host this DarkResumeUtils is
-        attached to.
-
-        The returned object has no particular type.  Instead, when you call
-        a method on the object, it marshalls the objects passed as arguments
-        and uses them to make RPCs on the remote server.  Thus, you should
-        read dark_resume_xmlrpc_server.py to find out what methods are supported.
-
-        @return proxy object for remote XMLRPC server.
-
-        """
-        # Make sure the client library is on the device so that the proxy
-        # code is there when we try to call it.
-        client_at = autotest.Autotest(self._host)
-        client_at.install()
-        # Start up the XMLRPC proxy on the client
-        proxy = self._host.rpc_server_tracker.xmlrpc_connect(
-                constants.DARK_RESUME_XMLRPC_SERVER_COMMAND,
-                constants.DARK_RESUME_XMLRPC_SERVER_PORT,
-                command_name=
-                    constants.DARK_RESUME_XMLRPC_SERVER_CLEANUP_PATTERN,
-                ready_test_name=
-                    constants.DARK_RESUME_XMLRPC_SERVER_READY_METHOD,
-                timeout_seconds=XMLRPC_BRINGUP_TIMEOUT_SECONDS)
-        return proxy
diff --git a/server/cros/debugd_dev_tools.py b/server/cros/debugd_dev_tools.py
deleted file mode 100644
index aa15d87..0000000
--- a/server/cros/debugd_dev_tools.py
+++ /dev/null
@@ -1,460 +0,0 @@
-# Copyright 2014 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import logging
-import os
-
-import common
-from autotest_lib.client.common_lib import error
-
-"""
-Functions to query and control debugd dev tools.
-
-This file provides a set of functions to check the general state of the
-debugd dev tools, and a set of classes to interface to the individual
-tools.
-
-Current tool classes are:
-    RootfsVerificationTool
-    BootFromUsbTool
-    SshServerTool
-    SystemPasswordTool
-These classes have functions to check the state and enable/disable the
-tool. Some tools may not be able to disable themselves, in which case
-an exception will be thrown (for example, RootfsVerificationTool cannot
-be disabled).
-
-General usage will look something like this:
-
-# Make sure tools are accessible on the system.
-if debugd_dev_tools.are_dev_tools_available(host):
-    # Create the tool(s) you want to interact with.
-    tools = [debugd_dev_tools.SshServerTool(), ...]
-    for tool in tools:
-        # Initialize tools and save current state.
-        tool.initialize(host, save_initial_state=True)
-        # Perform required action with tools.
-        tool.enable()
-        # Restore initial tool state.
-        tool.restore_state()
-    # Clean up temporary files.
-    debugd_dev_tools.remove_temp_files()
-"""
-
-
-# Defined in system_api/dbus/service_constants.h.
-DEV_FEATURES_DISABLED = 1 << 0
-DEV_FEATURE_ROOTFS_VERIFICATION_REMOVED = 1 << 1
-DEV_FEATURE_BOOT_FROM_USB_ENABLED = 1 << 2
-DEV_FEATURE_SSH_SERVER_CONFIGURED = 1 << 3
-DEV_FEATURE_DEV_MODE_ROOT_PASSWORD_SET = 1 << 4
-DEV_FEATURE_SYSTEM_ROOT_PASSWORD_SET = 1 << 5
-
-
-# Location to save temporary files to store and load state. This folder should
-# be persistent through a power cycle so we can't use /tmp.
-_TEMP_DIR = '/usr/local/autotest/tmp/debugd_dev_tools'
-
-
-class AccessError(error.CmdError):
-    """Raised when debugd D-Bus access fails."""
-    pass
-
-
-class FeatureUnavailableError(error.TestNAError):
-    """Raised when a feature cannot be enabled or disabled."""
-    pass
-
-
-def query_dev_tools_state(host):
-    """
-    Queries debugd for the current dev features state.
-
-    @param host: Host device.
-
-    @return: Integer debugd query return value.
-
-    @raise AccessError: Can't talk to debugd on the host.
-    """
-    result = _send_debugd_command(host, 'QueryDevFeatures')
-    state = int(result.stdout)
-    logging.debug('query_dev_tools_state = %d (0x%04X)', state, state)
-    return state
-
-
-def are_dev_tools_available(host):
-    """
-    Check if dev tools are available on the host.
-
-    @param host: Host device.
-
-    @return: True if tools are available, False otherwise.
-    """
-    try:
-        return query_dev_tools_state(host) != DEV_FEATURES_DISABLED
-    except AccessError:
-        return False
-
-
-def remove_temp_files(host):
-    """
-    Removes all DevTools temporary files and directories.
-
-    Any test using dev tools should try to call this just before
-    exiting to erase any temporary files that may have been saved.
-
-    @param host: Host device.
-    """
-    host.run('rm -rf "%s"' % _TEMP_DIR)
-
-
-def expect_access_failure(host, tools):
-    """
-    Verifies that access is denied to all provided tools.
-
-    Will check are_dev_tools_available() first to try to avoid changing
-    device state in case access is allowed. Otherwise, the function
-    will try to enable each tool in the list and throw an exception if
-    any succeeds.
-
-    @param host: Host device.
-    @param tools: List of tools to checks.
-
-    @raise TestFail: are_dev_tools_available() returned True or
-                     a tool successfully enabled.
-    """
-    if are_dev_tools_available(host):
-        raise error.TestFail('Unexpected dev tool access success')
-    for tool in tools:
-        try:
-            tool.enable()
-        except AccessError:
-            # We want an exception, otherwise the tool succeeded.
-            pass
-        else:
-            raise error.TestFail('Unexpected %s enable success.' % tool)
-
-
-def _send_debugd_command(host, name, args=()):
-    """
-    Sends a debugd command.
-
-    @param host: Host to run the command on.
-    @param name: String debugd D-Bus function name.
-    @param args: List of string arguments to pass to dbus-send.
-
-    @return: The dbus-send CmdResult object.
-
-    @raise AccessError: debugd call returned an error.
-    """
-    command = ('dbus-send --system --fixed --print-reply '
-               '--dest=org.chromium.debugd /org/chromium/debugd '
-               '"org.chromium.debugd.%s"' % name)
-    for arg in args:
-        command += ' %s' % arg
-    try:
-        return host.run(command)
-    except error.CmdError as e:
-        raise AccessError(e.command, e.result_obj, e.additional_text)
-
-
-class DevTool(object):
-    """
-    Parent tool class.
-
-    Each dev tool has its own child class that handles the details
-    of disabling, enabling, and querying the functionality. This class
-    provides some common functionality needed by multiple tools.
-
-    Child classes should implement the following:
-      - is_enabled(): use debugd to query whether the tool is enabled.
-      - enable(): use debugd to enable the tool.
-      - disable(): manually disable the tool.
-      - save_state(): record the current tool state on the host.
-      - restore_state(): restore the saved tool state.
-
-    If a child class cannot perform the required action (for
-    example the rootfs tool can't currently restore its initial
-    state), leave the function unimplemented so it will throw an
-    exception if a test attempts to use it.
-    """
-
-
-    def initialize(self, host, save_initial_state=False):
-        """
-        Sets up the initial tool state. This must be called on
-        every tool before use.
-
-        @param host: Device host the test is running on.
-        @param save_initial_state: True to save the device state.
-        """
-        self._host = host
-        if save_initial_state:
-            self.save_state()
-
-
-    def is_enabled(self):
-        """
-        Each tool should override this to query itself using debugd.
-        Normally this can be done by using the provided
-        _check_enabled() function.
-        """
-        self._unimplemented_function_error('is_enabled')
-
-
-    def enable(self):
-        """
-        Each tool should override this to enable itself using debugd.
-        """
-        self._unimplemented_function_error('enable')
-
-
-    def disable(self):
-        """
-        Each tool should override this to disable itself.
-        """
-        self._unimplemented_function_error('disable')
-
-
-    def save_state(self):
-        """
-        Save the initial tool state. Should be overridden by child
-        tool classes.
-        """
-        self._unimplemented_function_error('_save_state')
-
-
-    def restore_state(self):
-        """
-        Restore the initial tool state. Should be overridden by child
-        tool classes.
-        """
-        self._unimplemented_function_error('_restore_state')
-
-
-    def _check_enabled(self, bits):
-        """
-        Checks if the given feature is currently enabled according to
-        the debugd status query function.
-
-        @param bits: Integer status bits corresponding to the features.
-
-        @return: True if the status query is enabled and the
-                 indicated bits are all set, False otherwise.
-        """
-        state = query_dev_tools_state(self._host)
-        enabled = bool((state != DEV_FEATURES_DISABLED) and
-                       (state & bits == bits))
-        logging.debug('%s _check_enabled = %s (0x%04X / 0x%04X)',
-                      self, enabled, state, bits)
-        return enabled
-
-
-    def _get_temp_path(self, source_path):
-        """
-        Get temporary storage path for a file or directory.
-
-        Temporary path is based on the tool class name and the
-        source directory to keep tool files isolated and prevent
-        name conflicts within tools.
-
-        The function returns a full temporary path corresponding to
-        |source_path|.
-
-        For example, _get_temp_path('/foo/bar.txt') would return
-        '/path/to/temp/folder/debugd_dev_tools/FooTool/foo/bar.txt'.
-
-        @param source_path: String path to the file or directory.
-
-        @return: Temp path string.
-        """
-        return '%s/%s/%s' % (_TEMP_DIR, self, source_path)
-
-
-    def _save_files(self, paths):
-        """
-        Saves a set of files to a temporary location.
-
-        This can be used to save specific files so that a tool can
-        save its current state before starting a test.
-
-        See _restore_files() for restoring the saved files.
-
-        @param paths: List of string paths to save.
-        """
-        for path in paths:
-            temp_path = self._get_temp_path(path)
-            self._host.run('mkdir -p "%s"' % os.path.dirname(temp_path))
-            self._host.run('cp -r "%s" "%s"' % (path, temp_path),
-                           ignore_status=True)
-
-
-    def _restore_files(self, paths):
-        """
-        Restores saved files to their original location.
-
-        Used to restore files that have previously been saved by
-        _save_files(), usually to return the device to its initial
-        state.
-
-        This function does not erase the saved files, so it can
-        be used multiple times if needed.
-
-        @param paths: List of string paths to restore.
-        """
-        for path in paths:
-            self._host.run('rm -rf "%s"' % path)
-            self._host.run('cp -r "%s" "%s"' % (self._get_temp_path(path),
-                                                path),
-                           ignore_status=True)
-
-
-    def _unimplemented_function_error(self, function_name):
-        """
-        Throws an exception if a required tool function hasn't been
-        implemented.
-        """
-        raise FeatureUnavailableError('%s has not implemented %s()' %
-                                      (self, function_name))
-
-
-    def __str__(self):
-        """
-        Tool name accessor for temporary files and logging.
-
-        Based on class rather than unique instance naming since all
-        instances of the same tool have identical functionality.
-        """
-        return type(self).__name__
-
-
-class RootfsVerificationTool(DevTool):
-    """
-    Rootfs verification removal tool.
-
-    This tool is currently unable to transition from non-verified back
-    to verified rootfs; it may potentially require re-flashing an OS.
-    Since devices in the test lab run in verified mode, this tool is
-    unsuitable for automated testing until this capability is
-    implemented.
-    """
-
-
-    def is_enabled(self):
-        return self._check_enabled(DEV_FEATURE_ROOTFS_VERIFICATION_REMOVED)
-
-
-    def enable(self):
-        _send_debugd_command(self._host, 'RemoveRootfsVerification')
-        self._host.reboot()
-
-
-    def disable(self):
-        raise FeatureUnavailableError('Cannot re-enable rootfs verification')
-
-
-class BootFromUsbTool(DevTool):
-    """USB boot configuration tool."""
-
-
-    def is_enabled(self):
-        return self._check_enabled(DEV_FEATURE_BOOT_FROM_USB_ENABLED)
-
-
-    def enable(self):
-        _send_debugd_command(self._host, 'EnableBootFromUsb')
-
-
-    def disable(self):
-        self._host.run('crossystem dev_boot_usb=0')
-
-
-    def save_state(self):
-        self.initial_state = self.is_enabled()
-
-
-    def restore_state(self):
-        if self.initial_state:
-            self.enable()
-        else:
-            self.disable()
-
-
-class SshServerTool(DevTool):
-    """
-    SSH server tool.
-
-    SSH configuration has two components, the init file and the test
-    keys. Since a system could potentially have none, just the init
-    file, or all files, we want to be sure to restore just the files
-    that existed before the test started.
-    """
-
-
-    PATHS = ('/etc/init/openssh-server.conf',
-             '/root/.ssh/authorized_keys',
-             '/root/.ssh/id_rsa',
-             '/root/.ssh/id_rsa.pub')
-
-
-    def is_enabled(self):
-        return self._check_enabled(DEV_FEATURE_SSH_SERVER_CONFIGURED)
-
-
-    def enable(self):
-        _send_debugd_command(self._host, 'ConfigureSshServer')
-
-
-    def disable(self):
-        for path in self.PATHS:
-            self._host.run('rm -f %s' % path)
-
-
-    def save_state(self):
-        self._save_files(self.PATHS)
-
-
-    def restore_state(self):
-        self._restore_files(self.PATHS)
-
-
-class SystemPasswordTool(DevTool):
-    """
-    System password configuration tool.
-
-    This tool just affects the system password (/etc/shadow). We could
-    add a devmode password tool if we want to explicitly test that as
-    well.
-    """
-
-
-    SYSTEM_PATHS = ('/etc/shadow',)
-    DEV_PATHS = ('/mnt/stateful_partition/etc/devmode.passwd',)
-
-
-    def is_enabled(self):
-        return self._check_enabled(DEV_FEATURE_SYSTEM_ROOT_PASSWORD_SET)
-
-
-    def enable(self):
-        # Save the devmode.passwd file to avoid affecting it.
-        self._save_files(self.DEV_PATHS)
-        try:
-            _send_debugd_command(self._host, 'SetUserPassword',
-                                 ('string:root', 'string:test0000'))
-        finally:
-            # Restore devmode.passwd
-            self._restore_files(self.DEV_PATHS)
-
-
-    def disable(self):
-        self._host.run('passwd -d root')
-
-
-    def save_state(self):
-        self._save_files(self.SYSTEM_PATHS)
-
-
-    def restore_state(self):
-        self._restore_files(self.SYSTEM_PATHS)
diff --git a/server/cros/lockfile.py b/server/cros/lockfile.py
deleted file mode 100644
index 44476fd..0000000
--- a/server/cros/lockfile.py
+++ /dev/null
@@ -1,298 +0,0 @@
-# Lint as: python2, python3
-
-"""
-lockfile.py - Platform-independent advisory file locks.
-
-Forked from python2.7/dist-packages/lockfile version 0.8.
-
-Usage:
-
->>> lock = FileLock('somefile')
->>> try:
-...     lock.acquire()
-... except AlreadyLocked:
-...     print 'somefile', 'is locked already.'
-... except LockFailed:
-...     print 'somefile', 'can\\'t be locked.'
-... else:
-...     print 'got lock'
-got lock
->>> print lock.is_locked()
-True
->>> lock.release()
-
->>> lock = FileLock('somefile')
->>> print lock.is_locked()
-False
->>> with lock:
-...    print lock.is_locked()
-True
->>> print lock.is_locked()
-False
->>> # It is okay to lock twice from the same thread...
->>> with lock:
-...     lock.acquire()
-...
->>> # Though no counter is kept, so you can't unlock multiple times...
->>> print lock.is_locked()
-False
-
-Exceptions:
-
-    Error - base class for other exceptions
-        LockError - base class for all locking exceptions
-            AlreadyLocked - Another thread or process already holds the lock
-            LockFailed - Lock failed for some other reason
-        UnlockError - base class for all unlocking exceptions
-            AlreadyUnlocked - File was not locked.
-            NotMyLock - File was locked but not by the current thread/process
-"""
-
-from __future__ import absolute_import
-from __future__ import division
-from __future__ import print_function
-
-import logging
-import socket
-import os
-import threading
-import time
-import six
-from six.moves import urllib
-
-# Work with PEP8 and non-PEP8 versions of threading module.
-if not hasattr(threading, "current_thread"):
-    threading.current_thread = threading.currentThread
-if not hasattr(threading.Thread, "get_name"):
-    threading.Thread.get_name = threading.Thread.getName
-
-__all__ = ['Error', 'LockError', 'LockTimeout', 'AlreadyLocked',
-           'LockFailed', 'UnlockError', 'LinkFileLock']
-
-class Error(Exception):
-    """
-    Base class for other exceptions.
-
-    >>> try:
-    ...   raise Error
-    ... except Exception:
-    ...   pass
-    """
-    pass
-
-class LockError(Error):
-    """
-    Base class for error arising from attempts to acquire the lock.
-
-    >>> try:
-    ...   raise LockError
-    ... except Error:
-    ...   pass
-    """
-    pass
-
-class LockTimeout(LockError):
-    """Raised when lock creation fails within a user-defined period of time.
-
-    >>> try:
-    ...   raise LockTimeout
-    ... except LockError:
-    ...   pass
-    """
-    pass
-
-class AlreadyLocked(LockError):
-    """Some other thread/process is locking the file.
-
-    >>> try:
-    ...   raise AlreadyLocked
-    ... except LockError:
-    ...   pass
-    """
-    pass
-
-class LockFailed(LockError):
-    """Lock file creation failed for some other reason.
-
-    >>> try:
-    ...   raise LockFailed
-    ... except LockError:
-    ...   pass
-    """
-    pass
-
-class UnlockError(Error):
-    """
-    Base class for errors arising from attempts to release the lock.
-
-    >>> try:
-    ...   raise UnlockError
-    ... except Error:
-    ...   pass
-    """
-    pass
-
-class LockBase(object):
-    """Base class for platform-specific lock classes."""
-    def __init__(self, path):
-        """
-        Unlike the original implementation we always assume the threaded case.
-        """
-        self.path = path
-        self.lock_file = os.path.abspath(path) + ".lock"
-        self.hostname = socket.gethostname()
-        self.pid = os.getpid()
-        name = threading.current_thread().get_name()
-        tname = "%s-" % urllib.parse.quote(name, safe="")
-        dirname = os.path.dirname(self.lock_file)
-        self.unique_name = os.path.join(dirname, "%s.%s%s" % (self.hostname,
-                                                              tname, self.pid))
-
-    def __del__(self):
-        """Paranoia: We are trying hard to not leave any file behind. This
-        might possibly happen in very unusual acquire exception cases."""
-        if os.path.exists(self.unique_name):
-            logging.warning("Removing unexpected file %s", self.unique_name)
-            os.unlink(self.unique_name)
-
-    def acquire(self, timeout=None):
-        """
-        Acquire the lock.
-
-        * If timeout is omitted (or None), wait forever trying to lock the
-          file.
-
-        * If timeout > 0, try to acquire the lock for that many seconds.  If
-          the lock period expires and the file is still locked, raise
-          LockTimeout.
-
-        * If timeout <= 0, raise AlreadyLocked immediately if the file is
-          already locked.
-        """
-        raise NotImplementedError("implement in subclass")
-
-    def release(self):
-        """
-        Release the lock.
-
-        If the file is not locked, raise NotLocked.
-        """
-        raise NotImplementedError("implement in subclass")
-
-    def is_locked(self):
-        """
-        Tell whether or not the file is locked.
-        """
-        raise NotImplementedError("implement in subclass")
-
-    def i_am_locking(self):
-        """
-        Return True if this object is locking the file.
-        """
-        raise NotImplementedError("implement in subclass")
-
-    def break_lock(self):
-        """
-        Remove a lock.  Useful if a locking thread failed to unlock.
-        """
-        raise NotImplementedError("implement in subclass")
-
-    def age_of_lock(self):
-        """
-        Return the time since creation of lock in seconds.
-        """
-        raise NotImplementedError("implement in subclass")
-
-    def __enter__(self):
-        """
-        Context manager support.
-        """
-        self.acquire()
-        return self
-
-    def __exit__(self, *_exc):
-        """
-        Context manager support.
-        """
-        self.release()
-
-
-class LinkFileLock(LockBase):
-    """Lock access to a file using atomic property of link(2)."""
-
-    def acquire(self, timeout=None):
-        try:
-            open(self.unique_name, "wb").close()
-        except IOError:
-            raise LockFailed("failed to create %s" % self.unique_name)
-
-        end_time = time.time()
-        if timeout is not None and timeout > 0:
-            end_time += timeout
-
-        while True:
-            # Try and create a hard link to it.
-            try:
-                os.link(self.unique_name, self.lock_file)
-            except OSError:
-                # Link creation failed.  Maybe we've double-locked?
-                nlinks = os.stat(self.unique_name).st_nlink
-                if nlinks == 2:
-                    # The original link plus the one I created == 2.  We're
-                    # good to go.
-                    return
-                else:
-                    # Otherwise the lock creation failed.
-                    if timeout is not None and time.time() > end_time:
-                        os.unlink(self.unique_name)
-                        if timeout > 0:
-                            raise LockTimeout
-                        else:
-                            raise AlreadyLocked
-                    # IHF: The original code used integer division/10.
-                    time.sleep(timeout is not None and timeout / 10.0 or 0.1)
-            else:
-                # Link creation succeeded.  We're good to go.
-                return
-
-    def release(self):
-        # IHF: I think original cleanup was not correct when somebody else broke
-        # our lock and took it. Then we released the new process' lock causing
-        # a cascade of wrong lock releases. Notice the SQLiteFileLock::release()
-        # doesn't seem to run into this problem as it uses i_am_locking().
-        if self.i_am_locking():
-            # We own the lock and clean up both files.
-            os.unlink(self.unique_name)
-            os.unlink(self.lock_file)
-            return
-        if os.path.exists(self.unique_name):
-            # We don't own lock_file but clean up after ourselves.
-            os.unlink(self.unique_name)
-        raise UnlockError
-
-    def is_locked(self):
-        """Check if anybody is holding the lock."""
-        return os.path.exists(self.lock_file)
-
-    def i_am_locking(self):
-        """Check if we are holding the lock."""
-        return (self.is_locked() and
-                os.path.exists(self.unique_name) and
-                os.stat(self.unique_name).st_nlink == 2)
-
-    def break_lock(self):
-        """Break (another processes) lock."""
-        if os.path.exists(self.lock_file):
-            os.unlink(self.lock_file)
-
-    def age_of_lock(self):
-        """Returns the time since creation of lock in seconds."""
-        try:
-            # Creating the hard link for the lock updates the change time.
-            age = time.time() - os.stat(self.lock_file).st_ctime
-        except OSError:
-            age = -1.0
-        return age
-
-
-FileLock = LinkFileLock
diff --git a/server/cros/provision.py b/server/cros/provision.py
deleted file mode 100644
index b9be87d..0000000
--- a/server/cros/provision.py
+++ /dev/null
@@ -1,399 +0,0 @@
-# Lint as: python2, python3
-# Copyright (c) 2013 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import collections
-import re
-import sys
-import warnings
-
-import common
-from autotest_lib.server.cros import provision_actionables as actionables
-from autotest_lib.utils import labellib
-from autotest_lib.utils.labellib import Key
-
-
-### Constants for label prefixes
-CROS_VERSION_PREFIX = Key.CROS_VERSION
-CROS_ANDROID_VERSION_PREFIX = Key.CROS_ANDROID_VERSION
-FW_RW_VERSION_PREFIX = Key.FIRMWARE_RW_VERSION
-FW_RO_VERSION_PREFIX = Key.FIRMWARE_RO_VERSION
-FW_CR50_RW_VERSION_PREFIX = Key.FIRMWARE_CR50_RW_VERSION
-
-# So far the word cheets is only way to distinguish between ARC and Android
-# build.
-_CROS_ANDROID_BUILD_REGEX = r'.+/cheets.*/P?([0-9]+|LATEST)'
-
-# Special label to skip provision and run reset instead.
-SKIP_PROVISION = 'skip_provision'
-
-# Postfix -cheetsth to distinguish ChromeOS build during Cheets provisioning.
-CHEETS_SUFFIX = '-cheetsth'
-
-# ChromeOS image archive server address
-CROS_IMAGE_ARCHIVE = 'gs://chromeos-image-archive'
-
-# ChromeOS firmware branch directory name. %s is for a (base)board name.
-FW_BRANCH_GLOB = 'firmware-%s-[0-9]*.B-firmwarebranch'
-
-_Action = collections.namedtuple('_Action', 'name, value')
-
-
-def _get_label_action(str_label):
-    """Get action represented by the label.
-
-    This is used for determine actions to perform based on labels, for
-    example for provisioning or repair.
-
-    @param str_label: label string
-    @returns: _Action instance
-    """
-    try:
-        keyval_label = labellib.parse_keyval_label(str_label)
-    except ValueError:
-        return _Action(str_label, None)
-    else:
-        return _Action(keyval_label.key, keyval_label.value)
-
-
-### Helpers to convert value to label
-def get_version_label_prefix(image):
-    """
-    Determine a version label prefix from a given image name.
-
-    Parses `image` to determine what kind of image it refers
-    to, and returns the corresponding version label prefix.
-
-    Known version label prefixes are:
-      * `CROS_VERSION_PREFIX` for Chrome OS version strings.
-        These images have names like `cave-release/R57-9030.0.0`.
-      * `CROS_ANDROID_VERSION_PREFIX` for Chrome OS Android version strings.
-        These images have names like `git_nyc-arc/cheets_x86-user/3512523`.
-
-    @param image: The image name to be parsed.
-    @returns: A string that is the prefix of version labels for the type
-              of image identified by `image`.
-
-    """
-    if re.match(_CROS_ANDROID_BUILD_REGEX, image, re.I):
-        return CROS_ANDROID_VERSION_PREFIX
-    else:
-        return CROS_VERSION_PREFIX
-
-
-def image_version_to_label(image):
-    """
-    Return a version label appropriate to the given image name.
-
-    The type of version label is as determined described for
-    `get_version_label_prefix()`, meaning the label will identify a
-    CrOS or Android version.
-
-    @param image: The image name to be parsed.
-    @returns: A string that is the appropriate label name.
-
-    """
-    return get_version_label_prefix(image) + ':' + image
-
-
-def fwro_version_to_label(image):
-    """
-    Returns the proper label name for a RO firmware build of |image|.
-
-    @param image: A string of the form 'lumpy-release/R28-3993.0.0'
-    @returns: A string that is the appropriate label name.
-
-    """
-    warnings.warn('fwro_version_to_label is deprecated', stacklevel=2)
-    keyval_label = labellib.KeyvalLabel(Key.FIRMWARE_RO_VERSION, image)
-    return labellib.format_keyval_label(keyval_label)
-
-
-def fwrw_version_to_label(image):
-    """
-    Returns the proper label name for a RW firmware build of |image|.
-
-    @param image: A string of the form 'lumpy-release/R28-3993.0.0'
-    @returns: A string that is the appropriate label name.
-
-    """
-    warnings.warn('fwrw_version_to_label is deprecated', stacklevel=2)
-    keyval_label = labellib.KeyvalLabel(Key.FIRMWARE_RW_VERSION, image)
-    return labellib.format_keyval_label(keyval_label)
-
-
-class _SpecialTaskAction(object):
-    """
-    Base class to give a template for mapping labels to tests.
-    """
-
-    # A dictionary mapping labels to test names.
-    _actions = {}
-
-    # The name of this special task to be used in output.
-    name = None;
-
-    # Some special tasks require to run before others, e.g., ChromeOS image
-    # needs to be updated before firmware provision. List `_priorities` defines
-    # the order of each label prefix. An element with a smaller index has higher
-    # priority. Not listed ones have the lowest priority.
-    # This property should be overriden in subclass to define its own priorities
-    # across available label prefixes.
-    _priorities = []
-
-
-    @classmethod
-    def acts_on(cls, label):
-        """
-        Returns True if the label is a label that we recognize as something we
-        know how to act on, given our _actions.
-
-        @param label: The label as a string.
-        @returns: True if there exists a test to run for this label.
-        """
-        action = _get_label_action(label)
-        return action.name in cls._actions
-
-
-    @classmethod
-    def run_task_actions(cls, job, host, labels):
-        """
-        Run task actions on host that correspond to the labels.
-
-        Emits status lines for each run test, and INFO lines for each
-        skipped label.
-
-        @param job: A job object from a control file.
-        @param host: The host to run actions on.
-        @param labels: The list of job labels to work on.
-        @raises: SpecialTaskActionException if a test fails.
-        """
-        unactionable = cls._filter_unactionable_labels(labels)
-        for label in unactionable:
-            job.record('INFO', None, cls.name,
-                       "Can't %s label '%s'." % (cls.name, label))
-
-        for action_item, value in cls._actions_and_values_iter(labels):
-            success = action_item.execute(job=job, host=host, value=value)
-            if not success:
-                raise SpecialTaskActionException()
-
-
-    @classmethod
-    def _actions_and_values_iter(cls, labels):
-        """Return sorted action and value pairs to run for labels.
-
-        @params: An iterable of label strings.
-        @returns: A generator of Actionable and value pairs.
-        """
-        actionable = cls._filter_actionable_labels(labels)
-        keyval_mapping = labellib.LabelsMapping(actionable)
-        sorted_names = sorted(keyval_mapping, key=cls._get_action_priority)
-        for name in sorted_names:
-            action_item = cls._actions[name]
-            value = keyval_mapping[name]
-            yield action_item, value
-
-
-    @classmethod
-    def _filter_unactionable_labels(cls, labels):
-        """
-        Return labels that we cannot act on.
-
-        @param labels: A list of strings of labels.
-        @returns: A set of unactionable labels
-        """
-        return {label for label in labels
-                if not (label == SKIP_PROVISION or cls.acts_on(label))}
-
-
-    @classmethod
-    def _filter_actionable_labels(cls, labels):
-        """
-        Return labels that we can act on.
-
-        @param labels: A list of strings of labels.
-        @returns: A set of actionable labels
-        """
-        return {label for label in labels if cls.acts_on(label)}
-
-
-    @classmethod
-    def partition(cls, labels):
-        """
-        Filter a list of labels into two sets: those labels that we know how to
-        act on and those that we don't know how to act on.
-
-        @param labels: A list of strings of labels.
-        @returns: A tuple where the first element is a set of unactionable
-                  labels, and the second element is a set of the actionable
-                  labels.
-        """
-        unactionable = set()
-        actionable = set()
-
-        for label in labels:
-            if label == SKIP_PROVISION:
-                # skip_provision is neither actionable or a capability label.
-                # It doesn't need any handling.
-                continue
-            elif cls.acts_on(label):
-                actionable.add(label)
-            else:
-                unactionable.add(label)
-
-        return unactionable, actionable
-
-
-    @classmethod
-    def _get_action_priority(cls, name):
-        """Return priority for the action with the given name."""
-        if name in cls._priorities:
-            return cls._priorities.index(name)
-        else:
-            return sys.maxsize
-
-
-class Verify(_SpecialTaskAction):
-    """
-    Tests to verify that the DUT is in a known good state that we can run
-    tests on.  Failure to verify leads to running Repair.
-    """
-
-    _actions = {
-        'modem_repair': actionables.TestActionable('cellular_StaleModemReboot'),
-        # TODO(crbug.com/404421): set rpm action to power_RPMTest after the RPM
-        # is stable in lab (destiny). The power_RPMTest failure led to reset job
-        # failure and that left dut in Repair Failed. Since the test will fail
-        # anyway due to the destiny lab issue, and test retry will retry the
-        # test in another DUT.
-        # This change temporarily disable the RPM check in reset job.
-        # Another way to do this is to remove rpm dependency from tests' control
-        # file. That will involve changes on multiple control files. This one
-        # line change here is a simple temporary fix.
-        'rpm': actionables.TestActionable('stub_PassServer'),
-    }
-
-    name = 'verify'
-
-
-class Provision(_SpecialTaskAction):
-    """
-    Provisioning runs to change the configuration of the DUT from one state to
-    another.  It will only be run on verified DUTs.
-    """
-
-    # ChromeOS update must happen before firmware install, so the dut has the
-    # correct ChromeOS version label when firmware install occurs. The ChromeOS
-    # version label is used for firmware update to stage desired ChromeOS image
-    # on to the servo USB stick.
-    _priorities = [CROS_VERSION_PREFIX,
-                   CROS_ANDROID_VERSION_PREFIX,
-                   FW_RO_VERSION_PREFIX,
-                   FW_RW_VERSION_PREFIX,
-                   FW_CR50_RW_VERSION_PREFIX]
-
-    # TODO(milleral): http://crbug.com/249555
-    # Create some way to discover and register provisioning tests so that we
-    # don't need to hand-maintain a list of all of them.
-    _actions = {
-            CROS_VERSION_PREFIX:
-            actionables.TestActionable(
-                    'provision_QuickProvision',
-                    extra_kwargs={
-                            'disable_sysinfo': False,
-                            'disable_before_test_sysinfo': False,
-                            'disable_before_iteration_sysinfo': True,
-                            'disable_after_test_sysinfo': True,
-                            'disable_after_iteration_sysinfo': True
-                    }),
-            CROS_ANDROID_VERSION_PREFIX:
-            actionables.TestActionable('provision_CheetsUpdate'),
-            FW_RO_VERSION_PREFIX:
-            actionables.TestActionable('provision_FirmwareUpdate'),
-            FW_RW_VERSION_PREFIX:
-            actionables.TestActionable('provision_FirmwareUpdate',
-                                       extra_kwargs={
-                                               'rw_only': True,
-                                               'tag': 'rw_only'
-                                       }),
-            FW_CR50_RW_VERSION_PREFIX:
-            actionables.TestActionable('provision_Cr50TOT')
-    }
-
-    name = 'provision'
-
-
-class Cleanup(_SpecialTaskAction):
-    """
-    Cleanup runs after a test fails to try and remove artifacts of tests and
-    ensure the DUT will be in a good state for the next test run.
-    """
-
-    _actions = {
-        'cleanup-reboot': actionables.RebootActionable(),
-    }
-
-    name = 'cleanup'
-
-
-# TODO(ayatane): This class doesn't do anything.  It's safe to remove
-# after all references to it are removed (after some buffer time to be
-# safe, like a few release cycles).
-class Repair(_SpecialTaskAction):
-    """
-    Repair runs when one of the other special tasks fails.  It should be able
-    to take a component of the DUT that's in an unknown state and restore it to
-    a good state.
-    """
-
-    _actions = {
-    }
-
-    name = 'repair'
-
-
-# TODO(milleral): crbug.com/364273
-# Label doesn't really mean label in this context.  We're putting things into
-# DEPENDENCIES that really aren't DEPENDENCIES, and we should probably stop
-# doing that.
-def is_for_special_action(label):
-    """
-    If any special task handles the label specially, then we're using the label
-    to communicate that we want an action, and not as an actual dependency that
-    the test has.
-
-    @param label: A string label name.
-    @return True if any special task handles this label specially,
-            False if no special task handles this label.
-    """
-    return (Verify.acts_on(label) or
-            Provision.acts_on(label) or
-            Cleanup.acts_on(label) or
-            Repair.acts_on(label) or
-            label == SKIP_PROVISION)
-
-
-def join(provision_type, provision_value):
-    """
-    Combine the provision type and value into the label name.
-
-    @param provision_type: One of the constants that are the label prefixes.
-    @param provision_value: A string of the value for this provision type.
-    @returns: A string that is the label name for this (type, value) pair.
-
-    >>> join(CROS_VERSION_PREFIX, 'lumpy-release/R27-3773.0.0')
-    'cros-version:lumpy-release/R27-3773.0.0'
-
-    """
-    return '%s:%s' % (provision_type, provision_value)
-
-
-class SpecialTaskActionException(Exception):
-    """
-    Exception raised when a special task fails to successfully run a test that
-    is required.
-
-    This is also a literally meaningless exception.  It's always just discarded.
-    """
diff --git a/server/cros/provision_actionables.py b/server/cros/provision_actionables.py
deleted file mode 100644
index 01a6b04..0000000
--- a/server/cros/provision_actionables.py
+++ /dev/null
@@ -1,75 +0,0 @@
-# Copyright (c) 2014 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-"""This file defines tasks to be executed in provision actions."""
-
-import abc
-import logging
-
-import common
-
-
-class BaseActionable(object):
-    """Base class of an actionable item."""
-
-    @abc.abstractmethod
-    def execute(self, job, host, *args, **kwargs):
-        """Execute the action item.
-
-        @param job: A job object from a control file.
-        @param host: A host to run this action against.
-        @param args: arguments to passed to the test.
-        @param kwargs: keyword arguments to passed to the test.
-
-        @returns True if succeeds, False otherwise,
-                 subclass should override this method.
-        """
-        raise NotImplementedError('Subclass should override execute.')
-
-
-class TestActionable(BaseActionable):
-    """A test to be executed as an action"""
-
-    def __init__(self, test, extra_kwargs={}):
-        """Init method.
-
-        @param test: String, the test to run, e.g. stub_ServerToClientPass
-        @param extra_kargs: A dictionary, extra keyval-based args
-                            that will be passed when execute the test.
-        """
-        self.test = test
-        self.extra_kwargs = extra_kwargs
-
-
-    def execute(self, job, host, *args, **kwargs):
-        """Execute the action item.
-
-        @param job: A job object from a control file.
-        @param host: A host to run this action against.
-        @param args: arguments to passed to the test.
-        @param kwargs: keyword arguments to passed to the test.
-
-        @returns True if succeeds, False otherwise.
-        """
-        kwargs.update(self.extra_kwargs)
-        return job.run_test(self.test, host=host, *args, **kwargs)
-
-
-class RebootActionable(BaseActionable):
-    """Reboot action."""
-
-    def execute(self, job, host, *args, **kwargs):
-        """Execute the action item.
-
-        @param job: A job object from a control file.
-        @param host: A host to run this action against.
-        @param args: arguments to passed to the test.
-        @param kwargs: keyword arguments to passed to the test.
-
-        @returns True if succeeds.
-        """
-        logging.error('Executing RebootActionable ... ')
-        host.reboot()
-        logging.error('RebootActionable execution succeeds. ')
-        return True
diff --git a/server/cros/provisioner.py b/server/cros/provisioner.py
deleted file mode 100644
index ac577ba..0000000
--- a/server/cros/provisioner.py
+++ /dev/null
@@ -1,524 +0,0 @@
-# Lint as: python2, python3
-# Copyright (c) 2012 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-from __future__ import print_function
-
-import logging
-import os
-import re
-import six
-import sys
-import six.moves.urllib.parse
-
-from autotest_lib.client.bin import utils
-from autotest_lib.client.common_lib import error
-from autotest_lib.client.common_lib.cros import dev_server
-from autotest_lib.client.common_lib.cros import kernel_utils
-from autotest_lib.server import autotest
-from autotest_lib.server.cros.dynamic_suite import constants as ds_constants
-from autotest_lib.server.cros.dynamic_suite import tools
-
-
-_QUICK_PROVISION_SCRIPT = 'quick-provision'
-
-# PROVISION_FAILED - A flag file to indicate provision failures.  The
-# file is created at the start of any AU procedure (see
-# `ChromiumOSProvisioner._prepare_host()`).  The file's location in
-# stateful means that on successul update it will be removed.  Thus, if
-# this file exists, it indicates that we've tried and failed in a
-# previous attempt to update.
-PROVISION_FAILED = '/var/tmp/provision_failed'
-
-# A flag file used to enable special handling in lab DUTs.  Some
-# parts of the system in Chromium OS test images will behave in ways
-# convenient to the test lab when this file is present.  Generally,
-# we create this immediately after any update completes.
-LAB_MACHINE_FILE = '/mnt/stateful_partition/.labmachine'
-
-# _TARGET_VERSION - A file containing the new version to which we plan
-# to update.  This file is used by the CrOS shutdown code to detect and
-# handle certain version downgrade cases.  Specifically:  Downgrading
-# may trigger an unwanted powerwash in the target build when the
-# following conditions are met:
-#  * Source build is a v4.4 kernel with R69-10756.0.0 or later.
-#  * Target build predates the R69-10756.0.0 cutoff.
-# When this file is present and indicates a downgrade, the OS shutdown
-# code on the DUT knows how to prevent the powerwash.
-_TARGET_VERSION = '/run/update_target_version'
-
-# _REBOOT_FAILURE_MESSAGE - This is the standard message text returned
-# when the Host.reboot() method fails.  The source of this text comes
-# from `wait_for_restart()` in client/common_lib/hosts/base_classes.py.
-
-_REBOOT_FAILURE_MESSAGE = 'Host did not return from reboot'
-
-DEVSERVER_PORT = '8082'
-GS_CACHE_PORT = '8888'
-
-
-class _AttributedUpdateError(error.TestFail):
-    """Update failure with an attributed cause."""
-
-    def __init__(self, attribution, msg):
-        super(_AttributedUpdateError,
-              self).__init__('%s: %s' % (attribution, msg))
-        self._message = msg
-
-    def _classify(self):
-        for err_pattern, classification in self._CLASSIFIERS:
-            if re.match(err_pattern, self._message):
-                return classification
-        return None
-
-    @property
-    def failure_summary(self):
-        """Summarize this error for metrics reporting."""
-        classification = self._classify()
-        if classification:
-            return '%s: %s' % (self._SUMMARY, classification)
-        else:
-            return self._SUMMARY
-
-
-class HostUpdateError(_AttributedUpdateError):
-    """Failure updating a DUT attributable to the DUT.
-
-    This class of exception should be raised when the most likely cause
-    of failure was a condition existing on the DUT prior to the update,
-    such as a hardware problem, or a bug in the software on the DUT.
-    """
-
-    DUT_DOWN = 'No answer to ssh'
-
-    _SUMMARY = 'DUT failed prior to update'
-    _CLASSIFIERS = [
-            (DUT_DOWN, DUT_DOWN),
-            (_REBOOT_FAILURE_MESSAGE, 'Reboot failed'),
-    ]
-
-    def __init__(self, hostname, msg):
-        super(HostUpdateError,
-              self).__init__('Error on %s prior to update' % hostname, msg)
-
-
-class ImageInstallError(_AttributedUpdateError):
-    """Failure updating a DUT when installing from the devserver.
-
-    This class of exception should be raised when the target DUT fails
-    to download and install the target image from the devserver, and
-    either the devserver or the DUT might be at fault.
-    """
-
-    _SUMMARY = 'Image failed to download and install'
-    _CLASSIFIERS = []
-
-    def __init__(self, hostname, devserver, msg):
-        super(ImageInstallError, self).__init__(
-                'Download and install failed from %s onto %s' %
-                (devserver, hostname), msg)
-
-
-class NewBuildUpdateError(_AttributedUpdateError):
-    """Failure updating a DUT attributable to the target build.
-
-    This class of exception should be raised when updating to a new
-    build fails, and the most likely cause of the failure is a bug in
-    the newly installed target build.
-    """
-
-    CHROME_FAILURE = 'Chrome failed to reach login screen'
-    ROLLBACK_FAILURE = 'System rolled back to previous build'
-
-    _SUMMARY = 'New build failed'
-    _CLASSIFIERS = [
-            (CHROME_FAILURE, 'Chrome did not start'),
-            (ROLLBACK_FAILURE, ROLLBACK_FAILURE),
-    ]
-
-    def __init__(self, update_version, msg):
-        super(NewBuildUpdateError,
-              self).__init__('Failure in build %s' % update_version, msg)
-
-    @property
-    def failure_summary(self):
-        #pylint: disable=missing-docstring
-        return 'Build failed to work after installing'
-
-
-def _url_to_version(update_url):
-    """Return the version based on update_url.
-
-    @param update_url: url to the image to update to.
-
-    """
-    # The Chrome OS version is generally the last element in the URL. The only
-    # exception is delta update URLs, which are rooted under the version; e.g.,
-    # http://.../update/.../0.14.755.0/au/0.14.754.0. In this case we want to
-    # strip off the au section of the path before reading the version.
-    return re.sub('/au/.*', '',
-                  six.moves.urllib.parse.urlparse(update_url).path).split(
-                          '/')[-1].strip()
-
-
-def url_to_image_name(update_url):
-    """Return the image name based on update_url.
-
-    From a URL like:
-        http://172.22.50.205:8082/update/lumpy-release/R27-3837.0.0
-    return lumpy-release/R27-3837.0.0
-
-    @param update_url: url to the image to update to.
-    @returns a string representing the image name in the update_url.
-
-    """
-    return six.moves.urllib.parse.urlparse(update_url).path[len('/update/'):]
-
-
-def get_update_failure_reason(exception):
-    """Convert an exception into a failure reason for metrics.
-
-    The passed in `exception` should be one raised by failure of
-    `ChromiumOSProvisioner.run_provision`.  The returned string will describe
-    the failure.  If the input exception value is not a truish value
-    the return value will be `None`.
-
-    The number of possible return strings is restricted to a limited
-    enumeration of values so that the string may be safely used in
-    Monarch metrics without worrying about cardinality of the range of
-    string values.
-
-    @param exception  Exception to be converted to a failure reason.
-
-    @return A string suitable for use in Monarch metrics, or `None`.
-    """
-    if exception:
-        if isinstance(exception, _AttributedUpdateError):
-            return exception.failure_summary
-        else:
-            return 'Unknown Error: %s' % type(exception).__name__
-    return None
-
-
-class ChromiumOSProvisioner(object):
-    """Chromium OS specific DUT update functionality."""
-
-    def __init__(self,
-                 update_url,
-                 host=None,
-                 interactive=True,
-                 is_release_bucket=None,
-                 is_servohost=False):
-        """Initializes the object.
-
-        @param update_url: The URL we want the update to use.
-        @param host: A client.common_lib.hosts.Host implementation.
-        @param interactive: Bool whether we are doing an interactive update.
-        @param is_release_bucket: If True, use release bucket
-            gs://chromeos-releases.
-        @param is_servohost: Bool whether the update target is a servohost.
-        """
-        self.update_url = update_url
-        self.host = host
-        self.interactive = interactive
-        self.update_version = _url_to_version(update_url)
-        self._is_release_bucket = is_release_bucket
-        self._is_servohost = is_servohost
-
-    def _run(self, cmd, *args, **kwargs):
-        """Abbreviated form of self.host.run(...)"""
-        return self.host.run(cmd, *args, **kwargs)
-
-    def _rootdev(self, options=''):
-        """Returns the stripped output of rootdev <options>.
-
-        @param options: options to run rootdev.
-
-        """
-        return self._run('rootdev %s' % options).stdout.strip()
-
-    def _reset_update_engine(self):
-        """Resets the host to prepare for a clean update regardless of state."""
-        self._run('stop ui || true')
-        self._run('stop update-engine || true; start update-engine')
-
-    def _reset_stateful_partition(self):
-        """Clear any pending stateful update request."""
-        cmd = ['rm', '-rf']
-        for f in ('var_new', 'dev_image_new', '.update_available'):
-            cmd += [os.path.join('/mnt/stateful_partition', f)]
-        # TODO(b/165024723): This is a temporary measure until we figure out the
-        # root cause of this bug.
-        for f in ('dev_image/share/tast/data', 'dev_image/libexec/tast',
-                  'dev_image/tmp/tast'):
-            cmd += [os.path.join('/mnt/stateful_partition', f)]
-        cmd += [_TARGET_VERSION, '2>&1']
-        self._run(cmd)
-
-    def _set_target_version(self):
-        """Set the "target version" for the update."""
-        # Version strings that come from release buckets do not have RXX- at the
-        # beginning. So remove this prefix only if the version has it.
-        version_number = (self.update_version.split('-')[1] if
-                          '-' in self.update_version else self.update_version)
-        self._run('echo %s > %s' % (version_number, _TARGET_VERSION))
-
-    def _revert_boot_partition(self):
-        """Revert the boot partition."""
-        part = self._rootdev('-s')
-        logging.warning('Reverting update; Boot partition will be %s', part)
-        return self._run('/postinst %s 2>&1' % part)
-
-    def _get_remote_script(self, script_name):
-        """Ensure that `script_name` is present on the DUT.
-
-        The given script (e.g. `quick-provision`) may be present in the
-        stateful partition under /usr/local/bin, or we may have to
-        download it from the devserver.
-
-        Determine whether the script is present or must be downloaded
-        and download if necessary.  Then, return a command fragment
-        sufficient to run the script from whereever it now lives on the
-        DUT.
-
-        @param script_name  The name of the script as expected in
-                            /usr/local/bin and on the devserver.
-        @return A string with the command (minus arguments) that will
-                run the target script.
-        """
-        remote_script = '/usr/local/bin/%s' % script_name
-        if self.host.path_exists(remote_script):
-            return remote_script
-        self.host.run('mkdir -p -m 1777 /usr/local/tmp')
-        remote_tmp_script = '/usr/local/tmp/%s' % script_name
-        server_name = six.moves.urllib.parse.urlparse(self.update_url)[1]
-        script_url = 'http://%s/static/%s' % (server_name, script_name)
-        fetch_script = 'curl -Ss -o %s %s && head -1 %s' % (
-                remote_tmp_script, script_url, remote_tmp_script)
-
-        first_line = self._run(fetch_script).stdout.strip()
-
-        if first_line and first_line.startswith('#!'):
-            script_interpreter = first_line.lstrip('#!')
-            if script_interpreter:
-                return '%s %s' % (script_interpreter, remote_tmp_script)
-        return None
-
-    def _prepare_host(self):
-        """Make sure the target DUT is working and ready for update.
-
-        Initially, the target DUT's state is unknown.  The DUT is
-        expected to be online, but we strive to be forgiving if Chrome
-        and/or the update engine aren't fully functional.
-        """
-        # Summary of work, and the rationale:
-        #  1. Reboot, because it's a good way to clear out problems.
-        #  2. Touch the PROVISION_FAILED file, to allow repair to detect
-        #     failure later.
-        #  3. Run the hook for host class specific preparation.
-        #  4. Stop Chrome, because the system is designed to eventually
-        #     reboot if Chrome is stuck in a crash loop.
-        #  5. Force `update-engine` to start, because if Chrome failed
-        #     to start properly, the status of the `update-engine` job
-        #     will be uncertain.
-        if not self.host.is_up():
-            raise HostUpdateError(self.host.hostname, HostUpdateError.DUT_DOWN)
-        self._reset_stateful_partition()
-        # Servohost reboot logic is handled by themselves.
-        if not self._is_servohost:
-            self.host.reboot(timeout=self.host.REBOOT_TIMEOUT)
-            self._run('touch %s' % PROVISION_FAILED)
-        self.host.prepare_for_update()
-        # Servohost will only update via quick provision.
-        if not self._is_servohost:
-            self._reset_update_engine()
-        logging.info('Updating from version %s to %s.',
-                     self.host.get_release_version(), self.update_version)
-
-    def _quick_provision_with_gs_cache(self, provision_command, devserver_name,
-                                       image_name):
-        """Run quick_provision using GsCache server.
-
-        @param provision_command: The path of quick_provision command.
-        @param devserver_name: The devserver name and port (optional).
-        @param image_name: The image to be installed.
-        """
-        logging.info('Try quick provision with gs_cache.')
-        # If enabled, GsCache server listion on different port on the
-        # devserver.
-        gs_cache_server = devserver_name.replace(DEVSERVER_PORT, GS_CACHE_PORT)
-        gs_cache_url = (
-                'http://%s/download/%s' %
-                (gs_cache_server, 'chromeos-releases'
-                 if self._is_release_bucket else 'chromeos-image-archive'))
-
-        # Check if GS_Cache server is enabled on the server.
-        self._run('curl -s -o /dev/null %s' % gs_cache_url)
-
-        command = '%s --noreboot %s %s' % (provision_command, image_name,
-                                           gs_cache_url)
-        self._run(command)
-
-    def _quick_provision_with_devserver(self, provision_command,
-                                        devserver_name, image_name):
-        """Run quick_provision using legacy devserver.
-
-        @param provision_command: The path of quick_provision command.
-        @param devserver_name: The devserver name and port (optional).
-        @param image_name: The image to be installed.
-        """
-        logging.info('Try quick provision with devserver.')
-        ds = dev_server.ImageServer('http://%s' % devserver_name)
-        archive_url = ('gs://chromeos-releases/%s' %
-                       image_name if self._is_release_bucket else None)
-        try:
-            ds.stage_artifacts(
-                    image_name,
-                    ['quick_provision', 'stateful', 'autotest_packages'],
-                    archive_url=archive_url)
-        except dev_server.DevServerException as e:
-            six.reraise(error.TestFail, str(e), sys.exc_info()[2])
-
-        static_url = 'http://%s/static' % devserver_name
-        command = '%s --noreboot %s %s' % (provision_command, image_name,
-                                           static_url)
-        self._run(command)
-
-    def _install_update(self):
-        """Install an updating using the `quick-provision` script.
-
-        This uses the `quick-provision` script to download and install
-        a root FS, kernel and stateful filesystem content.
-
-        @return The kernel expected to be booted next.
-        """
-        logging.info('Installing image at %s onto %s', self.update_url,
-                     self.host.hostname)
-        server_name = six.moves.urllib.parse.urlparse(self.update_url)[1]
-        image_name = url_to_image_name(self.update_url)
-
-        logging.info('Installing image using quick-provision.')
-        provision_command = self._get_remote_script(_QUICK_PROVISION_SCRIPT)
-        try:
-            try:
-                self._quick_provision_with_gs_cache(provision_command,
-                                                    server_name, image_name)
-            except Exception as e:
-                logging.error(
-                        'Failed to quick-provision with gscache with '
-                        'error %s', e)
-                self._quick_provision_with_devserver(provision_command,
-                                                     server_name, image_name)
-
-            self._set_target_version()
-            return kernel_utils.verify_kernel_state_after_update(self.host)
-        except Exception:
-            # N.B.  We handle only `Exception` here.  Non-Exception
-            # classes (such as KeyboardInterrupt) are handled by our
-            # caller.
-            logging.exception('quick-provision script failed;')
-            self._revert_boot_partition()
-            self._reset_stateful_partition()
-            self._reset_update_engine()
-            return None
-
-    def _complete_update(self, expected_kernel):
-        """Finish the update, and confirm that it succeeded.
-
-        Initial condition is that the target build has been downloaded
-        and installed on the DUT, but has not yet been booted.  This
-        function is responsible for rebooting the DUT, and checking that
-        the new build is running successfully.
-
-        @param expected_kernel: kernel expected to be active after reboot.
-        """
-        # Regarding the 'crossystem' command below: In some cases,
-        # the update flow puts the TPM into a state such that it
-        # fails verification.  We don't know why.  However, this
-        # call papers over the problem by clearing the TPM during
-        # the reboot.
-        #
-        # We ignore failures from 'crossystem'.  Although failure
-        # here is unexpected, and could signal a bug, the point of
-        # the exercise is to paper over problems; allowing this to
-        # fail would defeat the purpose.
-        self._run('crossystem clear_tpm_owner_request=1', ignore_status=True)
-        self.host.reboot(timeout=self.host.REBOOT_TIMEOUT)
-
-        # Touch the lab machine file to leave a marker that
-        # distinguishes this image from other test images.
-        # Afterwards, we must re-run the autoreboot script because
-        # it depends on the LAB_MACHINE_FILE.
-        autoreboot_cmd = ('FILE="%s" ; [ -f "$FILE" ] || '
-                          '( touch "$FILE" ; start autoreboot )')
-        self._run(autoreboot_cmd % LAB_MACHINE_FILE)
-        try:
-            kernel_utils.verify_boot_expectations(
-                    expected_kernel, NewBuildUpdateError.ROLLBACK_FAILURE,
-                    self.host)
-        except Exception:
-            # When the system is rolled back, the provision_failed file is
-            # removed. So add it back here and re-raise the exception.
-            self._run('touch %s' % PROVISION_FAILED)
-            raise
-
-        logging.debug('Cleaning up old autotest directories.')
-        try:
-            installed_autodir = autotest.Autotest.get_installed_autodir(
-                    self.host)
-            self._run('rm -rf ' + installed_autodir)
-        except autotest.AutodirNotFoundError:
-            logging.debug('No autotest installed directory found.')
-
-    def run_provision(self):
-        """Perform a full provision of a DUT in the test lab.
-
-        This downloads and installs the root FS and stateful partition
-        content needed for the update specified in `self.host` and
-        `self.update_url`.  The provision is performed according to the
-        requirements for provisioning a DUT for testing the requested
-        build.
-
-        At the end of the procedure, metrics are reported describing the
-        outcome of the operation.
-
-        @returns A tuple of the form `(image_name, attributes)`, where
-            `image_name` is the name of the image installed, and
-            `attributes` is new attributes to be applied to the DUT.
-        """
-        server_name = dev_server.get_resolved_hostname(self.update_url)
-
-        try:
-            self._prepare_host()
-        except _AttributedUpdateError:
-            raise
-        except Exception as e:
-            logging.exception('Failure preparing host prior to update.')
-            raise HostUpdateError(self.host.hostname, str(e))
-
-        try:
-            expected_kernel = self._install_update()
-        except _AttributedUpdateError:
-            raise
-        except Exception as e:
-            logging.exception('Failure during download and install.')
-            raise ImageInstallError(self.host.hostname, server_name, str(e))
-
-        # Servohost will handle post update process themselves.
-        if not self._is_servohost:
-            try:
-                self._complete_update(expected_kernel)
-            except _AttributedUpdateError:
-                raise
-            except Exception as e:
-                logging.exception('Failure from build after update.')
-                raise NewBuildUpdateError(self.update_version, str(e))
-
-        image_name = url_to_image_name(self.update_url)
-        # update_url is different from devserver url needed to stage autotest
-        # packages, therefore, resolve a new devserver url here.
-        devserver_url = dev_server.ImageServer.resolve(
-                image_name, self.host.hostname).url()
-        repo_url = tools.get_package_url(devserver_url, image_name)
-        return image_name, {ds_constants.JOB_REPO_URL: repo_url}
diff --git a/server/cros/provisioner_unittest.py b/server/cros/provisioner_unittest.py
deleted file mode 100755
index 8f47169..0000000
--- a/server/cros/provisioner_unittest.py
+++ /dev/null
@@ -1,145 +0,0 @@
-#!/usr/bin/python3
-# Copyright (c) 2013 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-
-import unittest
-from unittest import mock
-
-import common
-from autotest_lib.client.common_lib.cros import kernel_utils
-from autotest_lib.server.cros import provisioner
-
-
-class _StubUpdateError(provisioner._AttributedUpdateError):
-    STUB_MESSAGE = 'Stub message'
-    STUB_PATTERN = 'Stub pattern matched'
-    _SUMMARY = 'Stub summary'
-    _CLASSIFIERS = [
-            (STUB_MESSAGE, STUB_MESSAGE),
-            ('Stub .*', STUB_PATTERN),
-    ]
-
-    def __init__(self, info, msg):
-        super(_StubUpdateError, self).__init__('Stub %s' % info, msg)
-
-
-class TestErrorClassifications(unittest.TestCase):
-    """Test error message handling in `_AttributedUpdateError`."""
-
-    def test_exception_message(self):
-        """Test that the exception string includes its arguments."""
-        info = 'info marker'
-        msg = 'an error message'
-        stub = _StubUpdateError(info, msg)
-        self.assertIn(info, str(stub))
-        self.assertIn(msg, str(stub))
-
-    def test_classifier_message(self):
-        """Test that the exception classifier can match a simple string."""
-        info = 'info marker'
-        stub = _StubUpdateError(info, _StubUpdateError.STUB_MESSAGE)
-        self.assertNotIn(info, stub.failure_summary)
-        self.assertIn(_StubUpdateError._SUMMARY, stub.failure_summary)
-        self.assertIn(_StubUpdateError.STUB_MESSAGE, stub.failure_summary)
-
-    def test_classifier_pattern(self):
-        """Test that the exception classifier can match a regex."""
-        info = 'info marker'
-        stub = _StubUpdateError(info, 'Stub this is a test')
-        self.assertNotIn(info, stub.failure_summary)
-        self.assertIn(_StubUpdateError._SUMMARY, stub.failure_summary)
-        self.assertIn(_StubUpdateError.STUB_PATTERN, stub.failure_summary)
-
-    def test_classifier_unmatched(self):
-        """Test exception summary when no classifier matches."""
-        info = 'info marker'
-        stub = _StubUpdateError(info, 'This matches no pattern')
-        self.assertNotIn(info, stub.failure_summary)
-        self.assertIn(_StubUpdateError._SUMMARY, stub.failure_summary)
-
-    def test_host_update_error(self):
-        """Test the `HostUpdateError` classifier."""
-        exception = provisioner.HostUpdateError('chromeos6-row3-rack3-host19',
-                                                'Fake message')
-        self.assertTrue(isinstance(exception.failure_summary, str))
-
-    def test_image_install_error(self):
-        """Test the `ImageInstallError` classifier."""
-        exception = provisioner.ImageInstallError(
-                'chromeos6-row3-rack3-host19', 'chromeos4-devserver7.cros',
-                'Fake message')
-        self.assertTrue(isinstance(exception.failure_summary, str))
-
-    def test_new_build_update_error(self):
-        """Test the `NewBuildUpdateError` classifier."""
-        exception = provisioner.NewBuildUpdateError('R68-10621.0.0',
-                                                    'Fake message')
-        self.assertTrue(isinstance(exception.failure_summary, str))
-
-
-class TestProvisioner(unittest.TestCase):
-    """Test provisioner module."""
-
-    def testParseBuildFromUpdateUrlwithUpdate(self):
-        """Test that we properly parse the build from an update_url."""
-        update_url = ('http://172.22.50.205:8082/update/lumpy-release/'
-                      'R27-3837.0.0')
-        expected_value = 'lumpy-release/R27-3837.0.0'
-        self.assertEqual(provisioner.url_to_image_name(update_url),
-                         expected_value)
-
-    def testGetRemoteScript(self):
-        """Test _get_remote_script() behaviors."""
-        update_url = ('http://172.22.50.205:8082/update/lumpy-chrome-perf/'
-                      'R28-4444.0.0-b2996')
-        script_name = 'fubar'
-        local_script = '/usr/local/bin/%s' % script_name
-        host = mock.MagicMock()
-        cros_provisioner = provisioner.ChromiumOSProvisioner(update_url,
-                                                             host=host)
-        host.path_exists(local_script).AndReturn(True)
-
-        # Simple case:  file exists on DUT
-        self.assertEqual(cros_provisioner._get_remote_script(script_name),
-                         local_script)
-
-        fake_shell = '/bin/ash'
-        tmp_script = '/usr/local/tmp/%s' % script_name
-        fake_result = mock.MagicMock()
-        fake_result.stdout = '#!%s\n' % fake_shell
-        host.path_exists.return_value = False
-        host.run.return_value = fake_result
-        host.path_exists.assert_called_with(local_script)
-
-        # Complicated case:  script not on DUT, so try to download it.
-        self.assertEqual(cros_provisioner._get_remote_script(script_name),
-                         '%s %s' % (fake_shell, tmp_script))
-
-
-class TestProvisioner2(unittest.TestCase):
-    """Another test for provisioner module that using mock."""
-
-    def testAlwaysRunQuickProvision(self):
-        """Tests that we call quick provsion for all kinds of builds."""
-        image = 'foo-whatever/R65-1234.5.6'
-        devserver = 'http://mock_devserver'
-        provisioner.dev_server = mock.MagicMock()
-        provisioner.metrics = mock.MagicMock()
-        host = mock.MagicMock()
-        update_url = '%s/update/%s' % (devserver, image)
-        cros_provisioner = provisioner.ChromiumOSProvisioner(update_url, host)
-        cros_provisioner.check_update_status = mock.MagicMock()
-        kernel_utils.verify_kernel_state_after_update = mock.MagicMock()
-        kernel_utils.verify_kernel_state_after_update.return_value = 3
-        kernel_utils.verify_boot_expectations = mock.MagicMock()
-
-        cros_provisioner.run_provision()
-        host.run.assert_any_call(
-                '/usr/local/bin/quick-provision --noreboot %s '
-                '%s/download/chromeos-image-archive' % (image, devserver))
-
-
-if __name__ == '__main__':
-    unittest.main()
diff --git a/server/cros/res_resource_monitor/top_field_order_changed.txt b/server/cros/res_resource_monitor/top_field_order_changed.txt
deleted file mode 100644
index 3c26164..0000000
--- a/server/cros/res_resource_monitor/top_field_order_changed.txt
+++ /dev/null
@@ -1,27 +0,0 @@
-top - 14:47:14 up  7:58,  9 users,  load average: 0.00, 0.01, 0.05
-Tasks: 368 total,   1 running, 367 sleeping,   0 stopped,   0 zombie
-%Cpu(s):  0.1 us,  0.0 sy,  0.0 ni, 99.9 id,  0.0 wa,  0.0 hi,  0.0 si,  0.0 st
-KiB Mem : 24508128 free, 23433516 total,   499784 used,   574828 buff/cache
-KiB Swap:  123 randfield, 1023996 used, 245 randfield2, 1023996 total,        0 free. 23565096 avail Mem 
-
-  PID USER      PR  NI    VIRT    RES    SHR S  %CPU %MEM     TIME+ COMMAND    
- 3096 root      20   0  144804   6116   1184 S   0.7  0.0   0:14.07 [kmemsrv_c+
- 1538 root      20   0  108640   4004   3032 S   0.3  0.0   0:11.85 sshd       
-
-top - I’m the only process running. Also, 14:48:38 up  8:00,  9 users,  load average: 0.00, 0.01, 0.05
-Tasks: 369 total,   1 running, 368 sleeping,   0 stopped,   0 zombie
-%Cpu(s): 90C cputemperature, 0.0 sy,  0.0 hi, -183 secondsTillOverheat, 0.0 id,100.0 ni, 14324 yetanothermetric 0.0 si,  0.0 us,  0.0 st,  0.0 wa
-KiB Mem : 24508128 total, 23433372 free,   502088 used,   572668 buff/cache
-KiB Swap:  1023996 total,  1023996 free,        0 used. 23562220 avail Mem 
-
-  PID USER      PR  NI    VIRT    RES    SHR S  %CPU %MEM     TIME+ COMMAND    
- 4571 root      20   0  160788   2424   1524 R   0.7  0.0   0:00.47 top        
-
-Lorem ipsum dolor sit amet, consectetur adipiscing elit, sed do eiusmod tempor 
-%Cpu(s):  0.1 us,  0.0 sy,  0.0 ni, 99.9 id,  0.0 wa,  0.0 hi,  0.0 si,  0.0 st
-top - 14:48:38 up  8:00,  9 users,  load average: 0.00, 0.01, 0.05
-Tasks: 369 total,   1 running, 368 sleeping,   0 stopped,   0 zombie
-%Cpu(s):  200.12 id,  100.00% sy,  0.94t ni, over9000 us,  -204 wa,  0.0 hi,  0.0023 si,  0.0 st
-KiB Mem: 24508128 free,-1 used,502088 total,572668 buff/cache
-        KiB	Swap:  1023996 total ,  1023996 free	0 used. 23562220 avail Mem
-
diff --git a/server/cros/res_resource_monitor/top_field_order_changed_ans.csv b/server/cros/res_resource_monitor/top_field_order_changed_ans.csv
deleted file mode 100644
index 4e3b987..0000000
--- a/server/cros/res_resource_monitor/top_field_order_changed_ans.csv
+++ /dev/null
@@ -1,4 +0,0 @@
-Time,UserCPU,SysCPU,NCPU,Idle,IOWait,IRQ,SoftIRQ,Steal,MemUnits,UsedMem,FreeMem,SwapUnits,UsedSwap,FreeSwap

-14:47:14,0.1,0.0,0.0,99.9,0.0,0.0,0.0,0.0,KiB,499784,24508128,KiB,1023996,0

-14:48:38,0.0,0.0,100.0,0.0,0.0,0.0,0.0,0.0,KiB,502088,23433372,KiB,0,1023996

-14:48:38,over9000,100.00%,0.94t,200.12,-204,0.0,0.0023,0.0,KiB,-1,24508128,KiB,0,1023996

diff --git a/server/cros/res_resource_monitor/top_test_data.txt b/server/cros/res_resource_monitor/top_test_data.txt
deleted file mode 100644
index fe51058..0000000
--- a/server/cros/res_resource_monitor/top_test_data.txt
+++ /dev/null
@@ -1,47 +0,0 @@
-top - 14:47:14 up  7:58,  9 users,  load average: 0.00, 0.01, 0.05
-Tasks: 368 total,  	 1 running, 367 sleeping,   0 stopped,   0 zombie
-%Cpu(s):  0.1 us, 		 0.0 sy,	  0.0 ni, 99.9 id,  0.0 wa,  0.0 hi,  0.0 si,  0.0 st
-KiB Mem : 24508128 total, 23433516 free,   499784 used,   574828 buff/cache
-KiB Swap:  1023996 total,  1023996 free,        0 used. 23565096 avail Mem 
-
-  PID USER      PR  NI    VIRT    RES    SHR S  %CPU %MEM     TIME+ COMMAND    
- 3096 root      20   0  144804   6116   1184 S   0.7  0.0   0:14.07 [kmemsrv_c+
- 1538 root      20   0  108640   4004   3032 S   0.3  0.0   0:11.85 sshd       
- 1542 root      20   0  260928  20956  20148 S   0.3  0.1   0:07.44 rsyslogd   
- 1688 root      20   0  162136   2584   1180 S   0.3  0.0   0:00.77 sshd       
- 4571 root      20   0  160788   2424   1524 R   0.3  0.0   0:00.16 top        
-    1 root      20   0  192720   5820   2428 S   0.0  0.0   0:04.07 systemd    
-    2 root      20   0       0      0      0 S   0.0  0.0   0:00.01 kthreadd   
-    3 root      20   0       0      0      0 S   0.0  0.0   0:00.01 ksoftirqd/0
-    5 root       0 -20       0      0      0 S   0.0  0.0   0:00.00 kworker/0:+
-
-top - 14:48:38 up  8:00,  9 users,  load average: 0.00, 0.01, 0.05
-Tasks: 369 total,   1 running, 368 sleeping,   0 stopped,   0 zombie
-%Cpu(s):  0.0 us,  0.0 sy,  0.0 ni,100.0 id,  0.0 wa,  0.0 hi,  0.0 si,  0.0 st
-KiB Mem : 24508128 total, 23433372 free,   502088 used,   572668 buff/cache
-KiB Swap:  1023996 total,  1023996 free,        0 used. 23562220 avail Mem 
-
-  PID USER      PR  NI    VIRT    RES    SHR S  %CPU %MEM     TIME+ COMMAND    
- 4571 root      20   0  160788   2424   1524 R   0.7  0.0   0:00.47 top        
-   10 root      20   0       0      0      0 S   0.3  0.0   0:07.82 rcu_sched  
- 1544 root      20   0  227196  11908   6524 S   0.3  0.0   0:11.05 snmpd      
- 3096 root      20   0  144804   6116   1184 S   0.3  0.0   0:14.11 [kmemsrv_c+
-    1 root      20   0  192720   5820   2428 S   0.0  0.0   0:04.07 systemd    
-g
-top - 14:48:38 up  8:00,  9 users,  load average: 0.00, 0.01, 0.05
-Tasks: 369 total,  	 1 running,         368 sleeping, 	  0 stopped,	   0 zombie
-%Cpu(s):  0.1 us,  0.0 sy,  0.0 ni, 99.9 id,  0.0 wa,  0.0 hi,  0.0 si,  0.0 st
-KiB Mem: 24508128 total,23433372 free,502088 used,572668 buff/cache
-        KiB	Swap:  1023996 total ,  1023996 free	0 used. 23562220 avail Mem
-
-top 	 -	 14:49:51     up 8:01, 	 8 users,  load average: 0.00, 0.01, 0.05
-Tasks: 363 total,   1 running, 362 sleeping,   0 stopped,   0 zombie
-%Cpu(s):  0.0 us, 	 0.1 sy   ,   0.0	  ni   ,	 99.9 id,  0.0 wa,  0.0 hi,  0.0 si,  0.0 st
-KiB Mem : 	24508128 	total, 23448048 used,   487384 free,   572696 buff/cache
-KiB Swap:  1023996 total,  1023996 free,        0 used. 23577032 avail Mem
-
-top - 14:49:51 up  8:01,  8 users,  load average: 0.00, 0.01, 0.05
-Tasks: 363 total,   1 running, 362 sleeping,   0 stopped,   0 zombie
-%Cpu(s):  0.0 us,  0.1 sy,  0.0 ni, 99.9 id,  0.0 wa,  0.0 hi,  0.0 si, 0.0 st
-	KiB	 Mem :	 24508128	 free ,	  23448048 used,   487384 total,   572696 buff/cache
-KiB Swap:  1023996 total,  1023996 free,        0 used. 23577032 avail Mem
diff --git a/server/cros/res_resource_monitor/top_test_data_ans.csv b/server/cros/res_resource_monitor/top_test_data_ans.csv
deleted file mode 100644
index 85dfc67..0000000
--- a/server/cros/res_resource_monitor/top_test_data_ans.csv
+++ /dev/null
@@ -1,6 +0,0 @@
-Time,UserCPU,SysCPU,NCPU,Idle,IOWait,IRQ,SoftIRQ,Steal,MemUnits,UsedMem,FreeMem,SwapUnits,UsedSwap,FreeSwap

-14:47:14,0.1,0.0,0.0,99.9,0.0,0.0,0.0,0.0,KiB,499784,23433516,KiB,0,1023996

-14:48:38,0.0,0.0,0.0,100.0,0.0,0.0,0.0,0.0,KiB,502088,23433372,KiB,0,1023996

-14:48:38,0.1,0.0,0.0,99.9,0.0,0.0,0.0,0.0,KiB,502088,23433372,KiB,0,1023996

-14:49:51,0.0,0.1,0.0,99.9,0.0,0.0,0.0,0.0,KiB,23448048,487384,KiB,0,1023996

-14:49:51,0.0,0.1,0.0,99.9,0.0,0.0,0.0,0.0,KiB,23448048,24508128,KiB,0,1023996

diff --git a/server/cros/res_resource_monitor/top_whitespace_ridden.txt b/server/cros/res_resource_monitor/top_whitespace_ridden.txt
deleted file mode 100644
index 3acfee1..0000000
--- a/server/cros/res_resource_monitor/top_whitespace_ridden.txt
+++ /dev/null
@@ -1,75 +0,0 @@
-top -	14:47:14				up  7:58,  9 users,  load average: 0.00, 0.01, 0.05
-Tasks: 368 total,   1 running, 367 sleeping,   0 stopped,   0 zombie
-%Cpu(s):  				0.1 us,                  0.0 sy, 	  	 0.0 ni ,	 99.9    		id ,  0.0 		wa  ,  				0.0 hi ,	  0.0 si, 	 0.0            	st
-		 KiB    	Mem      :   	 24508128   	 total  ,	 23433516 free         ,      	   499784        	 used,   574828 buff/cache
-KiB       	 Swap    : 	  1023996  	total ,   1023996  	free,        0 used. 23565096 avail Mem 
-
-  PID USER      PR  NI    VIRT    RES    SHR S  %CPU %MEM     TIME+ COMMAND    
- 3096 root      20   0  144804   6116   1184 S   0.7  0.0   0:14.07 [kmemsrv_c+
- 1538 root      20   0  108640   4004   3032 S   0.3  0.0   0:11.85 sshd       
- 1542 root      20   0  260928  20956  20148 S   0.3  0.1   0:07.44 rsyslogd   
- 1688 root      20   0  162136   2584   1180 S   0.3  0.0   0:00.77 sshd       
- 4571 root      20   0  160788   2424   1524 R   0.3  0.0   0:00.16 top        
-    1 root      20   0  192720   5820   2428 S   0.0  0.0   0:04.07 systemd    
-    2 root      20   0       0      0      0 S   0.0  0.0   0:00.01 kthreadd   
-    3 root      20   0       0      0      0 S   0.0  0.0   0:00.01 ksoftirqd/0
-    5 root       0 -20       0      0      0 S   0.0  0.0   0:00.00 kworker/0:+
-
-	       top	     -       		14:48:38 	    	up  8:00,  9 users,  load average: 0.00, 0.01, 0.05
-Tasks: 369 total,   1 running, 368 sleeping,   0 stopped,   0 zombie
-      %Cpu(s) :          	  0.0            us      ,        	  0.0          sy,  	     0.0        	 ni ,        100.0  	id  ,  	  0.0 wa,  0.0 hi,  0.0 si,  0.0 st
- 			KiB 	 Mem	 : 	24508128 	total 	,	 23433372 free      ,   502088 used   ,   572668 buff/cache
-   	 	 KiB Swap:  1023996 total,  1023996 free,        0 used. 23562220 avail Mem 
-
-  PID			 USER      PR  NI    VIRT    RES    SHR S  %CPU %MEM     TIME+ COMMAND    
-
-	       4571 	 	 root      20   0  160788   2424   1524 R   0.7  0.0   0:00.47 top        
-
-
-	   10 root      20   0       0      0      0 S   0.3  0.0   0:07.82 	rcu_sched  		
- 1544 root                20   0  227196  11908   6524 S   0.3  0.0   0:11.05 snmpd      
- 3096 root      20   0  144804   6116   1184 S   0.3  0.0   0:14.11 [kmemsrv_c+	
-    1 root   		   20          0 	 192720   5820   2428 S   0.0  0.0   0:04.07	 systemd    
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-
-					
-
-
-
-
-
-
-
-
-
-	
-	
-	       top	     -       		14:48:38 	    	up  8:00,  9 users,  load average: 0.00, 0.01, 0.05
-Tasks: 369 total,   1 running, 368 sleeping,   0 stopped,   0 zombie
-      %Cpu(s) :          	  0.0            us      ,        	  0.0          sy,  	     0.0        	 ni ,        100.0  	id  ,  	  0.0 wa,  0.0 hi,  0.0 si,  0.0 st
- 			KiB 	 Mem	 : 	24508128 	total 	,	 23433372 free      ,   502088 used   ,   572668 buff/cache
-   	 	 KiB Swap:  1023996 total,  1023996 free,        0 used. 23562220 avail Mem 
-
-  PID USER      PR  NI    VIRT    RES    SHR S  %CPU %MEM     TIME+ COMMAND    
- 4571 root      20   0  160788   2424   1524 R   0.7  0.0   0:00.47 top        
-   10 root      20   0       0      0      0 S   0.3  0.0   0:07.82 rcu_sched  
- 1544 root      20   0  227196  11908   6524 S   0.3  0.0   0:11.05 snmpd      
- 3096 root      20   0  144804   6116   1184 S   0.3  0.0   0:14.11 [kmemsrv_c+
-    1 root      20   0  192720   5820   2428 S   0.0  0.0   0:04.07 systemd    
diff --git a/server/cros/res_resource_monitor/top_whitespace_ridden_ans.csv b/server/cros/res_resource_monitor/top_whitespace_ridden_ans.csv
deleted file mode 100644
index cd10eee..0000000
--- a/server/cros/res_resource_monitor/top_whitespace_ridden_ans.csv
+++ /dev/null
@@ -1,4 +0,0 @@
-Time,UserCPU,SysCPU,NCPU,Idle,IOWait,IRQ,SoftIRQ,Steal,MemUnits,UsedMem,FreeMem,SwapUnits,UsedSwap,FreeSwap

-14:47:14,0.1,0.0,0.0,99.9,0.0,0.0,0.0,0.0,KiB,499784,23433516,KiB,0,1023996

-14:48:38,0.0,0.0,0.0,100.0,0.0,0.0,0.0,0.0,KiB,502088,23433372,KiB,0,1023996

-14:48:38,0.0,0.0,0.0,100.0,0.0,0.0,0.0,0.0,KiB,502088,23433372,KiB,0,1023996

diff --git a/server/cros/storage/common.py b/server/cros/storage/common.py
deleted file mode 100644
index 7dfe2af..0000000
--- a/server/cros/storage/common.py
+++ /dev/null
@@ -1,8 +0,0 @@
-import os, sys
-dirname = os.path.dirname(sys.modules[__name__].__file__)
-autotest_dir = os.path.abspath(os.path.join(dirname, '../../..'))
-client_dir = os.path.join(autotest_dir, 'client')
-sys.path.insert(0, client_dir)
-import setup_modules
-sys.path.pop(0)
-setup_modules.setup(base_path=autotest_dir, root_module_name='autotest_lib')
diff --git a/server/cros/storage/storage_validate.py b/server/cros/storage/storage_validate.py
deleted file mode 100644
index 524eaea..0000000
--- a/server/cros/storage/storage_validate.py
+++ /dev/null
@@ -1,398 +0,0 @@
-#!/usr/bin/env python2
-# Copyright 2020 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import logging
-import time
-import re
-
-from autotest_lib.client.common_lib import error
-
-# Storage types supported
-STORAGE_TYPE_SSD = 'ssd'
-STORAGE_TYPE_NVME = 'nvme'
-STORAGE_TYPE_MMC = 'mmc'
-
-# Storage states supported
-STORAGE_STATE_NORMAL = 'normal'
-STORAGE_STATE_WARNING = 'warning'
-STORAGE_STATE_CRITICAL = 'critical'
-
-BADBLOCK_CHECK_RO = 'RO'
-BADBLOCK_CHECK_RW = 'RW'
-
-
-class StorageError(error.TestFail):
-    """Custom error class to indicate is unsupported or unavailable
-    detect storage info.
-    """
-    pass
-
-
-class ConsoleError(error.TestFail):
-    """Common error class for servod console-back control failures."""
-    pass
-
-
-class StorageStateValidator(object):
-    """Class to detect types and state of the DUT storage.
-
-    The class supporting SSD, NVME and MMC storage types.
-    The state detection and set state as:
-    - normal - drive in a good shape
-    - warning - drive close to the worn out state by any metrics
-    - critical - drive is worn out and has errors
-    """
-
-    def __init__(self, host):
-        """Initialize the storage validator.
-
-        @param host: cros_host object providing console access
-                     for reading the target info.
-
-        @raises ConsoleError: if cannot read info
-        @raises StorageError: if info is not preset
-        """
-        self._host = host
-        self._storage_type = None
-        self._storage_state = None
-        self._info = []
-
-        if not self._host:
-            raise StorageError('Host is not provided')
-
-        self._read_storage_info()
-
-    def _read_storage_info(self):
-        """Reading the storage info from SMART
-
-        The info will be located as collection of lines
-        @raises StorageError: if no info provided or data unavailable
-        """
-        logging.info('Extraction storage info')
-        command = '. /usr/share/misc/storage-info-common.sh; get_storage_info'
-        cmd_result = self._host.run(command, ignore_status=True)
-        if cmd_result.exit_status != 0:
-            raise StorageError('receive error: %s;', cmd_result.stderr)
-
-        if cmd_result.stdout:
-            self._info = cmd_result.stdout.splitlines()
-        if len(self._info) == 0:
-            raise StorageError('Storage info is empty')
-
-    def get_type(self):
-        """Determine the type of the storage on the host.
-
-        @returns storage type (SSD, NVME, MMC)
-
-        @raises StorageError: if type not supported or not determine
-        """
-        if not self._storage_type:
-            self._storage_type = self._get_storage_type()
-        return self._storage_type
-
-    def get_state(self, run_badblocks=None):
-        """Determine the type of the storage on the host.
-
-        @param run_badblocks: string key to run badblock check.
-                                None - check if we can run it
-                                "NOT" - do not run check
-                                "RW" - run read-write if booted from USB
-                                "RO"  - run read-only check
-        @returns storage state (normal|warning|critical)
-
-        @raises StorageError: if type not supported or state cannot
-                            be determine
-        """
-        if not self._storage_state:
-            storage_type = self.get_type()
-            if storage_type == STORAGE_TYPE_SSD:
-                self._storage_state = self._get_state_for_ssd()
-            elif storage_type == STORAGE_TYPE_MMC:
-                self._storage_state = self._get_state_for_mms()
-            elif storage_type == STORAGE_TYPE_NVME:
-                self._storage_state = self._get_state_for_nvme()
-        if (run_badblocks != 'NOT'
-                    and self._storage_state != STORAGE_STATE_CRITICAL
-                    and self._support_health_profile()):
-            # run badblocks if storage not in critical state
-            # if bad block found then mark storage as bad
-            logging.info('Trying run badblocks on device')
-            dhp = self._host.health_profile
-            usb_boot = self._host.is_boot_from_external_device()
-            if run_badblocks is None:
-                if _is_time_to_run_badblocks_ro(dhp):
-                    run_badblocks = BADBLOCK_CHECK_RO
-                if usb_boot and _is_time_to_run_badblocks_rw(dhp):
-                    run_badblocks = BADBLOCK_CHECK_RW
-            logging.debug('run_badblocks=%s', run_badblocks)
-            if usb_boot and run_badblocks == BADBLOCK_CHECK_RW:
-                self._run_read_write_badblocks_check()
-                dhp.refresh_badblocks_rw_run_time()
-                # RO is subclass of RW so update it too
-                dhp.refresh_badblocks_ro_run_time()
-            if run_badblocks == BADBLOCK_CHECK_RO:
-                # SMART stats sometimes is not giving issue if blocks
-                # bad for reading. So we run RO check.
-                self._run_readonly_badblocks_check()
-                dhp.refresh_badblocks_ro_run_time()
-        return self._storage_state
-
-    def _get_storage_type(self):
-        """Read the info to detect type of the storage by patterns"""
-        logging.info('Extraction storage type')
-        # Example "SATA Version is: SATA 3.1, 6.0 Gb/s (current: 6.0 Gb/s)"
-        sata_detect = r"SATA Version is:.*"
-
-        # Example "   Extended CSD rev 1.7 (MMC 5.0)"
-        mmc_detect = r"\s*Extended CSD rev.*MMC (?P<version>\d+.\d+)"
-
-        # Example "SMART/Health Information (NVMe Log 0x02, NSID 0xffffffff)"
-        nvme_detect = r".*NVMe Log .*"
-
-        for line in self._info:
-            if re.match(sata_detect, line):
-                logging.info('Found SATA device')
-                logging.debug('Found line => ' + line)
-                return STORAGE_TYPE_SSD
-
-            m = re.match(mmc_detect, line)
-            if m:
-                version = m.group('version')
-                logging.info('Found eMMC device, version: %s', version)
-                logging.debug('Found line => ' + line)
-                return STORAGE_TYPE_MMC
-
-            if re.match(nvme_detect, line):
-                logging.info('Found NVMe device')
-                logging.debug('Found line => ' + line)
-                return STORAGE_TYPE_NVME
-        raise StorageError('Storage type cannot be detect')
-
-    def _get_state_for_ssd(self):
-        """Read the info to detect state for SSD storage"""
-        logging.info('Extraction metrics for SSD storage')
-        # Field meaning and example line that have failing attribute
-        # https://en.wikipedia.org/wiki/S.M.A.R.T.
-        # ID# ATTRIBUTE_NAME     FLAGS    VALUE WORST THRESH FAIL RAW_VALUE
-        # 184 End-to-End_Error   PO--CK   001   001   097    NOW  135
-        ssd_fail = r"""\s*(?P<param>\S+\s\S+)      # ID and attribute name
-                    \s+[P-][O-][S-][R-][C-][K-] # flags
-                    (\s+\d{3}){3}               # three 3-digits numbers
-                    \s+NOW                      # fail indicator"""
-
-        ssd_relocate_sectors = r"""\s*\d\sReallocated_Sector_Ct
-                    \s*[P-][O-][S-][R-][C-][K-] # flags
-                    \s*(?P<value>\d{3}) # VALUE
-                    \s*(?P<worst>\d{3}) # WORST
-                    \s*(?P<thresh>\d{3})# THRESH
-                    """
-        # future optimizations: read GPL and determine persentage
-        for line in self._info:
-            if re.match(ssd_fail, line):
-                logging.debug('Found fail line => ' + line)
-                return STORAGE_STATE_CRITICAL
-
-            m = re.match(ssd_relocate_sectors, line)
-            if m:
-                logging.info('Found critical line => ' + line)
-                value = int(m.group('value'))
-                # manufacture set default value 100,
-                # if number started to grow then it is time to mark it
-                if value > 100:
-                    return STORAGE_STATE_WARNING
-        return STORAGE_STATE_NORMAL
-
-    def _get_state_for_mms(self):
-        """Read the info to detect state for MMC storage"""
-        logging.debug('Extraction metrics for MMC storage')
-        # Ex:
-        # Device life time type A [DEVICE_LIFE_TIME_EST_TYP_A: 0x01]
-        # 0x00~9 means 0-90% band
-        # 0x0a means 90-100% band
-        # 0x0b means over 100% band
-        mmc_fail_lev = r""".*(?P<param>DEVICE_LIFE_TIME_EST_TYP_.)]?:
-                        0x0(?P<val>\S)""" #life time persentage
-
-        # Ex "Pre EOL information [PRE_EOL_INFO: 0x01]"
-        # 0x00 - not defined
-        # 0x01 - Normal
-        # 0x02 - Warning, consumed 80% of the reserved blocks
-        # 0x03 - Urgent, consumed 90% of the reserved blocks
-        mmc_fail_eol = r".*(?P<param>PRE_EOL_INFO.)]?: 0x0(?P<val>\d)"
-
-        eol_value = 0
-        lev_value = -1
-        for line in self._info:
-            m = re.match(mmc_fail_lev, line)
-            if m:
-                param = m.group('val')
-                logging.debug('Found line for lifetime estimate => ' + line)
-                if 'a' == param:
-                    val = 100
-                elif 'b' == param:
-                    val = 101
-                else:
-                    val = int(param)*10
-                if val > lev_value:
-                    lev_value = val
-                continue
-
-            m = re.match(mmc_fail_eol, line)
-            if m:
-                param = m.group('val')
-                logging.debug('Found line for end-of-life => ' + line)
-                eol_value = int(param)
-                break
-
-        # set state based on end-of-life
-        if eol_value == 3:
-            return STORAGE_STATE_CRITICAL
-        elif eol_value == 2:
-            return STORAGE_STATE_WARNING
-        elif eol_value == 1:
-            return STORAGE_STATE_NORMAL
-
-        # set state based on life of estimates
-        elif lev_value < 90:
-            return STORAGE_STATE_NORMAL
-        elif lev_value < 100:
-            return STORAGE_STATE_WARNING
-        return STORAGE_STATE_CRITICAL
-
-    def _get_state_for_nvme(self):
-        """Read the info to detect state for NVMe storage"""
-        logging.debug('Extraction metrics for NVMe storage')
-        # Ex "Percentage Used:         100%"
-        nvme_fail = r"Percentage Used:\s+(?P<param>(\d{1,3}))%"
-        used_value = -1
-        for line in self._info:
-            m = re.match(nvme_fail, line)
-            if m:
-                param = m.group('param')
-                logging.debug('Found line for usage => ' + line)
-                try:
-                    val = int(param)
-                    used_value = val
-                except ValueError as e:
-                    logging.info('Could not cast: %s to int ', param)
-                break
-
-        if used_value < 91:
-            return STORAGE_STATE_NORMAL
-        # Stop mark device as bad when they reached 100% usage
-        # TODO(otabek) crbug.com/1140507 re-evaluate the max usage
-        return STORAGE_STATE_WARNING
-
-    def _get_device_storage_path(self):
-        """Find and return the path to the device storage.
-
-        Method support detection even when the device booted from USB.
-
-        @returns path to the main device like '/dev/XXXX'
-        """
-        # find the name of device storage
-        cmd = ('. /usr/sbin/write_gpt.sh;'
-               ' . /usr/share/misc/chromeos-common.sh;'
-               ' load_base_vars; get_fixed_dst_drive')
-        cmd_result = self._host.run(cmd,
-                                    ignore_status=True,
-                                    timeout=60)
-        if cmd_result.exit_status != 0:
-            logging.debug('Failed to detect path to the device storage')
-            return None
-        return cmd_result.stdout.strip()
-
-    def _run_readonly_badblocks_check(self):
-        """Run backblocks readonly verification on device storage.
-
-        The blocksize set as 512 based.
-        """
-        path = self._get_device_storage_path()
-        if not path:
-            # cannot continue if storage was not detected
-            return
-        logging.info("Running readonly badblocks check; path=%s", path)
-        cmd = 'badblocks -e 1 -s -b 512 %s' % path
-        try:
-            # set limit in 1 hour but expecting to finish it up 30 minutes
-            cmd_result = self._host.run(cmd, ignore_status=True, timeout=3600)
-            if cmd_result.exit_status != 0:
-                logging.debug('Failed to detect path to the device storage')
-                return
-            result = cmd_result.stdout.strip()
-            if result:
-                logging.debug("Check result: '%s'", result)
-                # So has result is Bad and empty is Good.
-                self._storage_state = STORAGE_STATE_CRITICAL
-        except Exception as e:
-            if 'Timeout encountered:' in str(e):
-                logging.info('Timeout during running action')
-            logging.debug(str(e))
-
-    def _run_read_write_badblocks_check(self):
-        """Run non-destructive read-write check on device storage.
-
-        The blocksize set as 512 based.
-        We can run this test only when DUT booted from USB.
-        """
-        path = self._get_device_storage_path()
-        if not path:
-            # cannot continue if storage was not detected
-            return
-        logging.info("Running read-write badblocks check; path=%s", path)
-        cmd = 'badblocks -e 1 -nsv -b 4096 %s' % path
-        try:
-            # set limit in 90 minutes but expecting to finish it up 50 minutes
-            cmd_result = self._host.run(cmd, ignore_status=True, timeout=5400)
-            if cmd_result.exit_status != 0:
-                logging.debug('Failed to detect path to the device storage')
-                return
-            result = cmd_result.stdout.strip()
-            if result:
-                logging.debug("Check result: '%s'", result)
-                # So has result is Bad and empty is Good.
-                self._storage_state = STORAGE_STATE_CRITICAL
-        except Exception as e:
-            if 'Timeout encountered:' in str(e):
-                logging.info('Timeout during running action')
-            logging.info('(Not critical) %s', e)
-
-    def _support_health_profile(self):
-        return (hasattr(self._host, 'health_profile')
-                and self._host.health_profile)
-
-
-def _is_time_to_run_badblocks_ro(dhp):
-    """Verify that device can proceed to run read-only badblocks check.
-    The RO check can be executed not often then one per 6 days.
-
-    @returns True if can proceed, False if not
-    """
-    today_time = int(time.time())
-    last_check = dhp.get_badblocks_ro_run_time_epoch()
-    can_run = today_time > (last_check + (6 * 24 * 60 * 60))
-    if not can_run:
-        logging.info(
-                'Run RO badblocks not allowed because we have run it recently,'
-                ' last run %s. RO check allowed to run only once per 6 days',
-                dhp.get_badblocks_ro_run_time())
-    return can_run
-
-
-def _is_time_to_run_badblocks_rw(dhp):
-    """Verify that device can proceed to run read-write badblocks check.
-    The RW check can be executed not often then one per 60 days.
-
-    @returns True if can proceed, False if not
-    """
-    today_time = int(time.time())
-    last_check = dhp.get_badblocks_rw_run_time_epoch()
-    can_run = today_time > (last_check + (60 * 24 * 60 * 60))
-    if not can_run:
-        logging.info(
-                'Run RW badblocks not allowed because we have run it recently,'
-                ' last run %s. RW check allowed to run only once per 60 days',
-                dhp.get_badblocks_rw_run_time())
-    return can_run
diff --git a/server/cros/storage/storage_validate_unittest.py b/server/cros/storage/storage_validate_unittest.py
deleted file mode 100644
index b919332..0000000
--- a/server/cros/storage/storage_validate_unittest.py
+++ /dev/null
@@ -1,117 +0,0 @@
-#!/usr/bin/env python2
-# Copyright 2020 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import time
-import unittest
-import mock
-
-import common
-from autotest_lib.server.cros.storage import storage_validate
-from autotest_lib.server.cros.device_health_profile import device_health_profile
-from autotest_lib.server.cros.device_health_profile import profile_constants
-
-
-class MockHostInfoStore(object):
-    def __init__(self):
-        self.board = 'mock_board'
-        self.model = 'mock_model'
-
-
-class MockHost(object):
-    def __init__(self, hostname):
-        self.hostname = hostname
-        self.host_info_store = mock.Mock()
-        self.host_info_store.get.return_value = MockHostInfoStore()
-        self.job = None
-
-    def check_cached_up_status(self):
-        return True
-
-    def is_up(self):
-        return True
-
-    def send_file(self, source, dest):
-        return True
-
-    def get_file(self, source, dest):
-        return True
-
-    def is_file_exists(self, file_path):
-        return False
-
-
-def create_device_health_profile():
-    servohost = MockHost('dummy_servohost_hostname')
-    dhp = device_health_profile.DeviceHealthProfile(
-            hostname='dummy_dut_hostname',
-            host_info=MockHostInfoStore(),
-            result_dir=None)
-    dhp.init_profile(servohost)
-    return dhp
-
-
-def _add_days_to_time(secs, days):
-    new_time = time.localtime(secs + (days * 24 * 60 * 60))
-    return time.strftime(profile_constants.TIME_PATTERN, new_time)
-
-
-class BadblocksRunReadyTestCase(unittest.TestCase):
-    dhp = create_device_health_profile()
-
-    def test_is_time_to_run_badblocks_ro(self):
-        self.dhp.refresh_badblocks_ro_run_time()
-        last_time = self.dhp.get_badblocks_ro_run_time_epoch()
-        # sleep for a second to make difference from now to avoid flakiness
-        time.sleep(1)
-        self.assertFalse(
-                storage_validate._is_time_to_run_badblocks_ro(self.dhp))
-        # set 5 days ago
-        self.dhp._update_profile(
-                profile_constants.LAST_BADBLOCKS_RO_RUN_TIME_KEY,
-                _add_days_to_time(last_time, -5))
-        self.assertFalse(
-                storage_validate._is_time_to_run_badblocks_ro(self.dhp))
-        # set 6 days ago
-        self.dhp._update_profile(
-                profile_constants.LAST_BADBLOCKS_RO_RUN_TIME_KEY,
-                _add_days_to_time(last_time, -6))
-        self.assertTrue(storage_validate._is_time_to_run_badblocks_ro(
-                self.dhp))
-        # set 7 days ago
-        self.dhp._update_profile(
-                profile_constants.LAST_BADBLOCKS_RO_RUN_TIME_KEY,
-                _add_days_to_time(last_time, -7))
-        self.assertTrue(storage_validate._is_time_to_run_badblocks_ro(
-                self.dhp))
-
-    def test_is_time_to_run_badblocks_rw(self):
-        self.dhp.refresh_badblocks_rw_run_time()
-        last_time = self.dhp.get_badblocks_rw_run_time_epoch()
-        # sleep for a second to make difference from now to avoid flakiness
-        time.sleep(1)
-        self.assertFalse(
-                storage_validate._is_time_to_run_badblocks_rw(self.dhp))
-        # set 59 days ago
-        self.dhp._update_profile(
-                profile_constants.LAST_BADBLOCKS_RW_RUN_TIME_KEY,
-                _add_days_to_time(last_time, -59))
-        self.assertFalse(
-                storage_validate._is_time_to_run_badblocks_rw(self.dhp))
-        # set 60 days ago
-        self.dhp._update_profile(
-                profile_constants.LAST_BADBLOCKS_RW_RUN_TIME_KEY,
-                _add_days_to_time(last_time, -60))
-        self.assertTrue(storage_validate._is_time_to_run_badblocks_rw(
-                self.dhp))
-        # set 61 days ago
-        self.dhp._update_profile(
-                profile_constants.LAST_BADBLOCKS_RW_RUN_TIME_KEY,
-                _add_days_to_time(last_time, -61))
-        self.assertTrue(storage_validate._is_time_to_run_badblocks_rw(
-                self.dhp))
-
-
-if __name__ == '__main__':
-    unittest.main()
diff --git a/server/cros/tradefed/__init__.py b/server/cros/tradefed/__init__.py
deleted file mode 100644
index e69de29..0000000
--- a/server/cros/tradefed/__init__.py
+++ /dev/null
diff --git a/server/cros/tradefed/cts_expected_failure_parser.py b/server/cros/tradefed/cts_expected_failure_parser.py
deleted file mode 100644
index 8d9207a..0000000
--- a/server/cros/tradefed/cts_expected_failure_parser.py
+++ /dev/null
@@ -1,86 +0,0 @@
-# Copyright 2017 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import logging
-import yaml
-
-class ParseKnownCTSFailures(object):
-    """A class to parse known failures in CTS test."""
-
-    def __init__(self, failure_files):
-        self.waivers_yaml = self._load_failures(failure_files)
-
-    def _validate_waiver_config(self, arch, board, model, bundle_abi, sdk_ver,
-                                first_api_level, config):
-        """Validate if the test environment matches the test config.
-
-        @param arch: DUT's arch type.
-        @param board: DUT's board name.
-        @paran model: DUT's model name.
-        @param bundle_abi: The test's abi type.
-        @param sdk_ver: DUT's Android SDK version
-        @param first_api_level: DUT's Android first API level.
-        @param config: config for an expected failing test.
-        @return True if test arch or board is part of the config, else False.
-        """
-        # Map only the versions that ARC releases care.
-        sdk_ver_map = {25: 'N', 28: 'P', 30: 'R'}
-
-        # 'all' applies to all devices.
-        # 'x86' or 'arm' applies to the DUT's architecture.
-        # board name like 'eve' or 'kevin' applies to the DUT running the board.
-        dut_config = ['all', arch, board, model]
-        # 'nativebridge' applies to the case running ARM CTS on x86 devices.
-        if bundle_abi and bundle_abi[0:3] != arch:
-            dut_config.append('nativebridge')
-        # 'N' or 'P' or 'R' applies to the device running that Android version.
-        if sdk_ver in sdk_ver_map:
-            dut_config.append(sdk_ver_map[sdk_ver])
-        # 'shipatN' or 'shipatP' or 'shipatR' applies to those originally
-        # launched at that Android version.
-        if first_api_level in sdk_ver_map:
-            dut_config.append('shipat' + sdk_ver_map[first_api_level])
-        return len(set(dut_config).intersection(config)) > 0
-
-    def _load_failures(self, failure_files):
-        """Load failures from files.
-
-        @param failure_files: files with failure configs.
-        @return a dictionary of failures config in yaml format.
-        """
-        waivers_yaml = {}
-        for failure_file in failure_files:
-            try:
-                logging.info('Loading expected failure file: %s.', failure_file)
-                with open(failure_file) as wf:
-                    waivers_yaml.update(yaml.load(wf.read()))
-            except IOError as e:
-                logging.error('Error loading %s (%s).',
-                              failure_file,
-                              e.strerror)
-                continue
-            logging.info('Finished loading expected failure file: %s',
-                         failure_file)
-        return waivers_yaml
-
-    def find_waivers(self, arch, board, model, bundle_abi, sdk_ver,
-                     first_api_level):
-        """Finds waivers for the test board.
-
-        @param arch: DUT's arch type.
-        @param board: DUT's board name.
-        @param model: DUT's model name.
-        @param bundle_abi: The test's abi type.
-        @param sdk_ver: DUT's Android SDK version.
-        @param first_api_level: DUT's Android first API level.
-        @return a set of waivers/no-test-modules applied to the test board.
-        """
-        applied_waiver_list = set()
-        for test, config in self.waivers_yaml.iteritems():
-            if self._validate_waiver_config(arch, board, model, bundle_abi,
-                                            sdk_ver, first_api_level, config):
-                applied_waiver_list.add(test)
-        logging.info('Excluding tests/packages from rerun: %s.',
-                     applied_waiver_list)
-        return applied_waiver_list
diff --git a/server/cros/tradefed/generate_controlfiles_CTS_Instant.py b/server/cros/tradefed/generate_controlfiles_CTS_Instant.py
deleted file mode 100755
index 9a022e9..0000000
--- a/server/cros/tradefed/generate_controlfiles_CTS_Instant.py
+++ /dev/null
@@ -1,190 +0,0 @@
-#!/usr/bin/env python2
-# Copyright 2016 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import collections
-
-from generate_controlfiles_common import main
-
-
-_ALL = 'all'
-
-CONFIG = {}
-
-CONFIG['TEST_NAME'] = 'cheets_CTS_Instant'
-CONFIG['DOC_TITLE'] = \
-    'Android Compatibility Test Suite for Instant Apps (CTS Instant)'
-CONFIG['MOBLAB_SUITE_NAME'] = 'suite:cts_P, suite:cts'
-CONFIG['COPYRIGHT_YEAR'] = 2018
-CONFIG['AUTHKEY'] = ''
-
-CONFIG['LARGE_MAX_RESULT_SIZE'] = 1000 * 1024
-CONFIG['NORMAL_MAX_RESULT_SIZE'] = 500 * 1024
-
-CONFIG['TRADEFED_CTS_COMMAND'] = 'cts-instant'
-CONFIG['TRADEFED_RETRY_COMMAND'] = 'retry'
-CONFIG['TRADEFED_DISABLE_REBOOT'] = False
-CONFIG['TRADEFED_DISABLE_REBOOT_ON_COLLECTION'] = True
-CONFIG['TRADEFED_MAY_SKIP_DEVICE_INFO'] = False
-CONFIG['TRADEFED_EXECUTABLE_PATH'] = \
-    'android-cts_instant/tools/cts-instant-tradefed'
-CONFIG['TRADEFED_IGNORE_BUSINESS_LOGIC_FAILURE'] = False
-
-CONFIG['INTERNAL_SUITE_NAMES'] = ['suite:arc-cts']
-CONFIG['QUAL_SUITE_NAMES'] = ['suite:arc-cts-qual']
-
-# CTS Instant is relatively small (= shorter turnaround time), and very
-# unlikely to fail alone (= regression almost always caught by the
-# corresponding CTS module.) For now we don't generate this type of control
-# files.
-CONFIG['CONTROLFILE_TEST_FUNCTION_NAME'] = 'run_TS'
-CONFIG['CONTROLFILE_WRITE_SIMPLE_QUAL_AND_REGRESS'] = True
-CONFIG['CONTROLFILE_WRITE_CAMERA'] = False
-CONFIG['CONTROLFILE_WRITE_EXTRA'] = False
-
-# The dashboard suppresses upload to APFE for GS directories (based on autotest
-# tag) that contain 'tradefed-run-collect-tests'. b/119640440
-# Do not change the name/tag without adjusting the dashboard.
-_COLLECT = 'tradefed-run-collect-tests-only-internal'
-_PUBLIC_COLLECT = 'tradefed-run-collect-tests-only'
-
-# Unlike regular CTS we have to target the native ABI only.
-CONFIG['LAB_DEPENDENCY'] = {
-    'x86': ['cts_cpu_x86'],
-    'arm': ['cts_cpu_arm']
-}
-
-CONFIG['CTS_JOB_RETRIES_IN_PUBLIC'] = 1
-CONFIG['CTS_QUAL_RETRIES'] = 9
-CONFIG['CTS_MAX_RETRIES'] = {}
-
-# TODO(ihf): Update timeouts once P is more stable.
-# Timeout in hours.
-CONFIG['CTS_TIMEOUT_DEFAULT'] = 1.0
-CONFIG['CTS_TIMEOUT'] = {
-    _ALL: 5.0,
-    _COLLECT: 2.0,
-    _PUBLIC_COLLECT: 2.0,
-    'CtsFileSystemTestCases': 2.5,
-}
-
-# Any test that runs as part as blocking BVT needs to be stable and fast. For
-# this reason we enforce a tight timeout on these modules/jobs.
-# Timeout in hours. (0.1h = 6 minutes)
-CONFIG['BVT_TIMEOUT'] = 0.1
-
-CONFIG['QUAL_TIMEOUT'] = 5
-
-# Split tests so that large and flaky tests are distributed evenly.
-CONFIG['QUAL_BOOKMARKS'] = [
-        'A',  # A bookend to simplify partition algorithm.
-        # CtsAccessibility, CtsAutoFill
-        'CtsBackgroundRestrictionsTestCases',
-        # CtsMedia, CtsPrint
-        'CtsSampleDeviceTestCases',
-        # CtsView, CtsWidget
-        'zzzzz'  # A bookend to simplify algorithm.
-]
-
-CONFIG['SMOKE'] = [
-    # TODO(b/113641546): add to CQ/PFQ when it's ready.
-    # 'CtsAccountManagerTestCases',
-]
-
-CONFIG['BVT_ARC'] = [
-    # TODO(b/113641546): add to CQ/PFQ when it's ready.
-    # 'CtsPermission2TestCases',
-]
-
-CONFIG['BVT_PERBUILD'] = [
-    'CtsAccountManagerTestCases',
-    'CtsPermission2TestCases',
-    'CtsUiAutomationTestCases',
-    'CtsUsbTests',
-]
-
-CONFIG['NEEDS_POWER_CYCLE'] = [
-]
-
-CONFIG['HARDWARE_DEPENDENT_MODULES'] = [
-]
-
-# The suite is divided based on the run-time hint in the *.config file.
-CONFIG['VMTEST_INFO_SUITES'] = collections.OrderedDict()
-
-# Modules that are known to download and/or push media file assets.
-CONFIG['MEDIA_MODULES'] = []
-CONFIG['NEEDS_PUSH_MEDIA'] = []
-
-CONFIG['ENABLE_DEFAULT_APPS'] = []
-
-# Run `eject` for (and only for) each device with RM=1 in lsblk output.
-_EJECT_REMOVABLE_DISK_COMMAND = (
-    "\'lsblk -do NAME,RM | sed -n s/1$//p | xargs -n1 eject\'")
-
-# Preconditions applicable to public and internal tests.
-CONFIG['PRECONDITION'] = {}
-CONFIG['LOGIN_PRECONDITION'] = {
-    'CtsAppSecurityHostTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-    'CtsJobSchedulerTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-    'CtsOsTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-    'CtsProviderTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-    _ALL: [_EJECT_REMOVABLE_DISK_COMMAND],
-}
-
-# Preconditions applicable to public tests.
-CONFIG['PUBLIC_PRECONDITION'] = {}
-
-CONFIG['PUBLIC_DEPENDENCIES'] = {
-    'CtsCameraTestCases': ['lighting'],
-    'CtsMediaTestCases': ['noloopback'],
-}
-
-# This information is changed based on regular analysis of the failure rate on
-# partner moblabs.
-CONFIG['PUBLIC_MODULE_RETRY_COUNT'] = {
-    'CtsNetTestCases': 10,
-    'CtsSecurityHostTestCases': 10,
-    'CtsUsageStatsTestCases': 10,
-    'CtsFileSystemTestCases': 10,
-    'CtsBluetoothTestCases': 10,
-    _PUBLIC_COLLECT: 0,
-}
-
-CONFIG['PUBLIC_OVERRIDE_TEST_PRIORITY'] = {
-    _PUBLIC_COLLECT: 70,
-}
-
-# This information is changed based on regular analysis of the job run time on
-# partner moblabs.
-
-CONFIG['OVERRIDE_TEST_LENGTH'] = {
-    'CtsDeqpTestCases': 4,  # LONG
-    'CtsMediaTestCases': 4,
-    'CtsMediaStressTestCases': 4,
-    'CtsSecurityTestCases': 4,
-    'CtsCameraTestCases': 4,
-    _ALL: 4,
-    # Even though collect tests doesn't run very long, it must be the very first
-    # job executed inside of the suite. Hence it is the only 'LENGTHY' test.
-    _COLLECT: 5,  # LENGTHY
-}
-
-CONFIG['DISABLE_LOGCAT_ON_FAILURE'] = set()
-CONFIG['EXTRA_MODULES'] = {}
-CONFIG['PUBLIC_EXTRA_MODULES'] = {}
-CONFIG['EXTRA_SUBMODULE_OVERRIDE'] = {}
-
-CONFIG['EXTRA_COMMANDLINE'] = {}
-
-CONFIG['EXTRA_ATTRIBUTES'] = {
-    'tradefed-run-collect-tests-only-internal': ['suite:arc-cts'],
-}
-
-CONFIG['EXTRA_ARTIFACTS'] = {}
-
-CONFIG['PREREQUISITES'] = {}
-
-if __name__ == '__main__':
-    main(CONFIG)
diff --git a/server/cros/tradefed/generate_controlfiles_CTS_P.py b/server/cros/tradefed/generate_controlfiles_CTS_P.py
deleted file mode 100755
index dc29919..0000000
--- a/server/cros/tradefed/generate_controlfiles_CTS_P.py
+++ /dev/null
@@ -1,663 +0,0 @@
-#!/usr/bin/env python2
-# Copyright 2016 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import collections
-
-
-CONFIG = {}
-
-CONFIG['TEST_NAME'] = 'cheets_CTS_P'
-CONFIG['DOC_TITLE'] = 'Android Compatibility Test Suite (CTS)'
-CONFIG['MOBLAB_SUITE_NAME'] = 'suite:cts_P, suite:cts'
-CONFIG['COPYRIGHT_YEAR'] = 2018
-CONFIG['AUTHKEY'] = ''
-
-# Both arm, x86 tests results normally is below 200MB.
-# 1000MB should be sufficient for CTS tests and dump logs for android-cts.
-CONFIG['LARGE_MAX_RESULT_SIZE'] = 1000 * 1024
-
-# Individual module normal produces less results than all modules, which is
-# ranging from 4MB to 50MB. 500MB should be sufficient to handle all the cases.
-CONFIG['NORMAL_MAX_RESULT_SIZE'] = 500 * 1024
-
-CONFIG['TRADEFED_CTS_COMMAND'] = 'cts'
-CONFIG['TRADEFED_RETRY_COMMAND'] = 'retry'
-CONFIG['TRADEFED_DISABLE_REBOOT'] = False
-CONFIG['TRADEFED_DISABLE_REBOOT_ON_COLLECTION'] = True
-CONFIG['TRADEFED_MAY_SKIP_DEVICE_INFO'] = False
-CONFIG['TRADEFED_EXECUTABLE_PATH'] = 'android-cts/tools/cts-tradefed'
-CONFIG['TRADEFED_IGNORE_BUSINESS_LOGIC_FAILURE'] = False
-
-# module runs in suite:arc-cts on boards, and each module runs in
-# suite:arc-cts-unibuild on selected models.
-CONFIG['INTERNAL_SUITE_NAMES'] = ['suite:arc-cts', 'suite:arc-cts-unibuild']
-CONFIG['QUAL_SUITE_NAMES'] = ['suite:arc-cts-qual']
-
-CONFIG['CONTROLFILE_TEST_FUNCTION_NAME'] = 'run_TS'
-CONFIG['CONTROLFILE_WRITE_SIMPLE_QUAL_AND_REGRESS'] = False
-CONFIG['CONTROLFILE_WRITE_CAMERA'] = True
-CONFIG['CONTROLFILE_WRITE_EXTRA'] = True
-
-# The dashboard suppresses upload to APFE for GS directories (based on autotest
-# tag) that contain 'tradefed-run-collect-tests'. b/119640440
-# Do not change the name/tag without adjusting the dashboard.
-_COLLECT = 'tradefed-run-collect-tests-only-internal'
-_PUBLIC_COLLECT = 'tradefed-run-collect-tests-only'
-
-# Test module name for WM presubmit tests.
-_WM_PRESUBMIT = 'wm-presubmit'
-
-CONFIG['LAB_DEPENDENCY'] = {
-    'x86': ['cts_abi_x86']
-}
-
-CONFIG['CTS_JOB_RETRIES_IN_PUBLIC'] = 1
-CONFIG['CTS_QUAL_RETRIES'] = 9
-CONFIG['CTS_MAX_RETRIES'] = {
-    'CtsDeqpTestCases':         15,  # TODO(b/126787654)
-    'CtsGraphicsTestCases':      5,  # TODO(b/155056869)
-    'CtsSensorTestCases':       30,  # TODO(b/124528412)
-}
-
-# Timeout in hours.
-CONFIG['CTS_TIMEOUT_DEFAULT'] = 1.0
-CONFIG['CTS_TIMEOUT'] = {
-        'CtsActivityManagerDeviceTestCases': 2.0,
-        'CtsAppSecurityHostTestCases': 4.0,  # TODO(b/172409836)
-        'CtsAutoFillServiceTestCases': 6.0,  # TODO(b/145092442)
-        'CtsCameraTestCases': 2.0,  # TODO(b/150657700)
-        'CtsDeqpTestCases': 20.0,
-        'CtsDeqpTestCases.dEQP-EGL': 2.0,
-        'CtsDeqpTestCases.dEQP-GLES2': 2.0,
-        'CtsDeqpTestCases.dEQP-GLES3': 6.0,
-        'CtsDeqpTestCases.dEQP-GLES31': 6.0,
-        'CtsDeqpTestCases.dEQP-VK': 15.0,
-        'CtsFileSystemTestCases': 3.0,
-        'CtsIcuTestCases': 2.0,
-        'CtsLibcoreOjTestCases': 2.0,
-        'CtsMediaStressTestCases': 5.0,
-        'CtsMediaTestCases': 10.0,
-        'CtsPrintTestCases': 1.5,
-        'CtsSecurityTestCases': 2.0,
-        'CtsVideoTestCases': 1.5,
-        _COLLECT: 2.5,
-        _PUBLIC_COLLECT: 2.5,
-        _WM_PRESUBMIT: 0.2,
-}
-
-# Any test that runs as part as blocking BVT needs to be stable and fast. For
-# this reason we enforce a tight timeout on these modules/jobs.
-# Timeout in hours. (0.2h = 12 minutes)
-#
-# For the test content 5 minutes are more than enough, but when some component
-# (typically camera) is stuck, the CTS precondition step hits 5 minute abort.
-# Since this abort doesn't affect too much for the main CTS runs (with longer
-# timeouts), it's ok to let them go in. Bad state of camre should be caught by
-# camera tests, not by this general test harness health check for CTS.
-CONFIG['BVT_TIMEOUT'] = 0.2
-
-CONFIG['QUAL_BOOKMARKS'] = sorted([
-    'A',  # A bookend to simplify partition algorithm.
-    'CtsAccessibilityServiceTestCases',  # TODO(ihf) remove when b/121291711 fixed. This module causes problems. Put it into its own control file.
-    'CtsAccessibilityServiceTestCasesz',
-    'CtsActivityManagerDevice',  # Runs long enough. (3h)
-    'CtsActivityManagerDevicez',
-    'CtsDeqpTestCases',
-    'CtsDeqpTestCasesz',  # Put Deqp in one control file. Long enough, fairly stable.
-    'CtsFileSystemTestCases',  # Runs long enough. (3h)
-    'CtsFileSystemTestCasesz',
-    'CtsMediaBitstreamsTestCases',  # Put each Media module in its own control file. Long enough.
-    'CtsMediaHostTestCases',
-    'CtsMediaStressTestCases',
-    'CtsMediaTestCases',
-    'CtsMediaTestCasesz',
-    'CtsJvmti',
-    'CtsSecurityHostTestCases',  # TODO(ihf): remove when passing cleanly.
-    'CtsSecurityHostTestCasesz',
-    'CtsSensorTestCases',  # TODO(ihf): Remove when not needing 30 retries.
-    'CtsSensorTestCasesz',
-    'CtsViewTestCases',  # TODO(b/126741318): Fix performance regression and remove this.
-    'CtsViewTestCasesz',
-    'zzzzz'  # A bookend to simplify algorithm.
-])
-
-CONFIG['SMOKE'] = [
-    _WM_PRESUBMIT,
-]
-
-CONFIG['BVT_ARC'] = [
-    'CtsAccelerationTestCases',
-]
-
-CONFIG['BVT_PERBUILD'] = [
-    'CtsAccountManagerTestCases',
-    'CtsGraphicsTestCases',
-    'CtsJankDeviceTestCases',
-    'CtsOpenGLTestCases',
-    'CtsOpenGlPerf2TestCases',
-    'CtsPermission2TestCases',
-    'CtsSimpleperfTestCases',
-    'CtsSpeechTestCases',
-    'CtsTelecomTestCases',
-    'CtsTelephonyTestCases',
-    'CtsThemeDeviceTestCases',
-    'CtsTransitionTestCases',
-    'CtsTvTestCases',
-    'CtsUsbTests',
-    'CtsVoiceSettingsTestCases',
-]
-
-CONFIG['NEEDS_POWER_CYCLE'] = [
-    'CtsBluetoothTestCases',
-]
-
-CONFIG['HARDWARE_DEPENDENT_MODULES'] = [
-    'CtsSensorTestCases',
-    'CtsCameraTestCases',
-    'CtsBluetoothTestCases',
-]
-
-# The suite is divided based on the run-time hint in the *.config file.
-CONFIG['VMTEST_INFO_SUITES'] = collections.OrderedDict()
-# This is the default suite for all the modules that are not specified below.
-CONFIG['VMTEST_INFO_SUITES']['vmtest-informational1'] = []
-CONFIG['VMTEST_INFO_SUITES']['vmtest-informational2'] = [
-    'CtsMediaTestCases', 'CtsMediaStressTestCases', 'CtsHardwareTestCases'
-]
-CONFIG['VMTEST_INFO_SUITES']['vmtest-informational3'] = [
-    'CtsThemeHostTestCases', 'CtsHardwareTestCases', 'CtsLibcoreTestCases'
-]
-CONFIG['VMTEST_INFO_SUITES']['vmtest-informational4'] = ['']
-
-# Modules that are known to download and/or push media file assets.
-CONFIG['MEDIA_MODULES'] = [
-    'CtsMediaTestCases',
-    'CtsMediaStressTestCases',
-    'CtsMediaBitstreamsTestCases',
-]
-
-CONFIG['NEEDS_PUSH_MEDIA'] = CONFIG['MEDIA_MODULES'] + [
-    'CtsMediaTestCases.audio',
-]
-CONFIG['SPLIT_BY_BITS_MODULES'] = [
-        'CtsDeqpTestCases',
-        'CtsMediaTestCases',
-]
-
-# See b/149889853. Non-media test basically does not require dynamic
-# config. To reduce the flakiness, let us suppress the config.
-CONFIG['NEEDS_DYNAMIC_CONFIG_ON_COLLECTION'] = False
-CONFIG['NEEDS_DYNAMIC_CONFIG'] = CONFIG['MEDIA_MODULES'] + [
-    'CtsIntentSignatureTestCases'
-]
-
-# Modules that are known to need the default apps of Chrome (eg. Files.app).
-CONFIG['ENABLE_DEFAULT_APPS'] = [
-    'CtsAppSecurityHostTestCases',
-    'CtsContentTestCases',
-]
-
-# Run `eject` for (and only for) each device with RM=1 in lsblk output.
-_EJECT_REMOVABLE_DISK_COMMAND = (
-    "\'lsblk -do NAME,RM | sed -n s/1$//p | xargs -n1 eject\'")
-# Behave more like in the verififed mode.
-_SECURITY_PARANOID_COMMAND = (
-    "\'echo 3 > /proc/sys/kernel/perf_event_paranoid\'")
-# TODO(kinaba): Come up with a less hacky way to handle the situation.
-# {0} is replaced with the retry count. Writes either 1 (required by
-# CtsSimpleperfTestCases) or 3 (CtsSecurityHostTestCases).
-_ALTERNATING_PARANOID_COMMAND = (
-    "\'echo $(({0} % 2 * 2 + 1)) > /proc/sys/kernel/perf_event_paranoid\'")
-# Expose /proc/config.gz
-_CONFIG_MODULE_COMMAND = "\'modprobe configs\'"
-
-# TODO(b/126741318): Fix performance regression and remove this.
-_SLEEP_60_COMMAND = "\'sleep 60\'"
-
-# Preconditions applicable to public and internal tests.
-CONFIG['PRECONDITION'] = {
-    'CtsSecurityHostTestCases': [
-        _SECURITY_PARANOID_COMMAND, _CONFIG_MODULE_COMMAND
-    ],
-    # Tests are performance-sensitive, workaround to avoid CPU load on login.
-    # TODO(b/126741318): Fix performance regression and remove this.
-    'CtsViewTestCases': [_SLEEP_60_COMMAND],
-}
-CONFIG['LOGIN_PRECONDITION'] = {
-    'CtsAppSecurityHostTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-    'CtsJobSchedulerTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-    'CtsMediaTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-    'CtsOsTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-    'CtsProviderTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-}
-
-_WIFI_CONNECT_COMMANDS = [
-    # These needs to be in order.
-    "'/usr/local/autotest/cros/scripts/wifi connect %s %s\' % (ssid, wifipass)",
-    "'/usr/local/autotest/cros/scripts/reorder-services-moblab.sh wifi'"
-]
-
-# Preconditions applicable to public tests.
-CONFIG['PUBLIC_PRECONDITION'] = {
-    'CtsSecurityHostTestCases': [
-        _SECURITY_PARANOID_COMMAND, _CONFIG_MODULE_COMMAND
-    ],
-    'CtsUsageStatsTestCases': _WIFI_CONNECT_COMMANDS,
-    'CtsNetTestCases': _WIFI_CONNECT_COMMANDS,
-    'CtsLibcoreTestCases': _WIFI_CONNECT_COMMANDS,
-}
-
-CONFIG['PUBLIC_DEPENDENCIES'] = {
-    'CtsCameraTestCases': ['lighting'],
-    'CtsMediaTestCases': ['noloopback'],
-}
-
-# This information is changed based on regular analysis of the failure rate on
-# partner moblabs.
-CONFIG['PUBLIC_MODULE_RETRY_COUNT'] = {
-    'CtsAccessibilityServiceTestCases':  12,
-    'CtsActivityManagerDeviceTestCases': 12,
-    'CtsBluetoothTestCases':             10,
-    'CtsDeqpTestCases':                  15,
-    'CtsFileSystemTestCases':            10,
-    'CtsGraphicsTestCases':              12,
-    'CtsIncidentHostTestCases':          12,
-    'CtsNetTestCases':                   10,
-    'CtsSecurityHostTestCases':          10,
-    'CtsSensorTestCases':                12,
-    'CtsUsageStatsTestCases':            10,
-    _PUBLIC_COLLECT: 0,
-}
-
-CONFIG['PUBLIC_OVERRIDE_TEST_PRIORITY'] = {
-    _PUBLIC_COLLECT: 70,
-    'CtsDeqpTestCases': 70,
-}
-
-# This information is changed based on regular analysis of the job run time on
-# partner moblabs.
-
-CONFIG['OVERRIDE_TEST_LENGTH'] = {
-    'CtsDeqpTestCases': 4,  # LONG
-    'CtsMediaTestCases': 4,
-    'CtsMediaStressTestCases': 4,
-    'CtsSecurityTestCases': 4,
-    'CtsCameraTestCases': 4,
-    # Even though collect tests doesn't run very long, it must be the very first
-    # job executed inside of the suite. Hence it is the only 'LENGTHY' test.
-    _COLLECT: 5,  # LENGTHY
-}
-
-# Enabling --logcat-on-failure can extend total run time significantly if
-# individual tests finish in the order of 10ms or less (b/118836700). Specify
-# modules here to not enable the flag.
-CONFIG['DISABLE_LOGCAT_ON_FAILURE'] = set([
-    'all',
-    'CtsDeqpTestCases',
-    'CtsDeqpTestCases.dEQP-EGL',
-    'CtsDeqpTestCases.dEQP-GLES2',
-    'CtsDeqpTestCases.dEQP-GLES3',
-    'CtsDeqpTestCases.dEQP-GLES31',
-    'CtsDeqpTestCases.dEQP-VK',
-    'CtsLibcoreTestCases',
-])
-
-CONFIG['EXTRA_MODULES'] = {
-    'CtsDeqpTestCases': {
-        'SUBMODULES': set([
-            'CtsDeqpTestCases.dEQP-EGL',
-            'CtsDeqpTestCases.dEQP-GLES2',
-            'CtsDeqpTestCases.dEQP-GLES3',
-            'CtsDeqpTestCases.dEQP-GLES31',
-            'CtsDeqpTestCases.dEQP-VK'
-        ]),
-        'SUITES': ['suite:arc-cts-deqp', 'suite:graphics_per-week'],
-    },
-    'CtsMediaTestCases': {
-        'SUBMODULES': set([
-            'CtsMediaTestCases.audio',
-        ]),
-        'SUITES': ['suite:arc-cts'],
-    },
-    _WM_PRESUBMIT: {
-        'SUBMODULES': set([_WM_PRESUBMIT]),
-        'SUITES': [],
-    },
-}
-
-# Moblab wants to shard dEQP really finely. This isn't needed anymore as it got
-# faster, but I guess better safe than sorry.
-CONFIG['PUBLIC_EXTRA_MODULES'] = {
-    'CtsDeqpTestCases' : [
-        'CtsDeqpTestCases.dEQP-EGL',
-        'CtsDeqpTestCases.dEQP-GLES2',
-        'CtsDeqpTestCases.dEQP-GLES3',
-        'CtsDeqpTestCases.dEQP-GLES31',
-        'CtsDeqpTestCases.dEQP-VK.api',
-        'CtsDeqpTestCases.dEQP-VK.binding_model',
-        'CtsDeqpTestCases.dEQP-VK.clipping',
-        'CtsDeqpTestCases.dEQP-VK.compute',
-        'CtsDeqpTestCases.dEQP-VK.device_group',
-        'CtsDeqpTestCases.dEQP-VK.draw',
-        'CtsDeqpTestCases.dEQP-VK.dynamic_state',
-        'CtsDeqpTestCases.dEQP-VK.fragment_operations',
-        'CtsDeqpTestCases.dEQP-VK.geometry',
-        'CtsDeqpTestCases.dEQP-VK.glsl',
-        'CtsDeqpTestCases.dEQP-VK.image',
-        'CtsDeqpTestCases.dEQP-VK.info',
-        'CtsDeqpTestCases.dEQP-VK.memory',
-        'CtsDeqpTestCases.dEQP-VK.multiview',
-        'CtsDeqpTestCases.dEQP-VK.pipeline',
-        'CtsDeqpTestCases.dEQP-VK.protected_memory',
-        'CtsDeqpTestCases.dEQP-VK.query_pool',
-        'CtsDeqpTestCases.dEQP-VK.rasterization',
-        'CtsDeqpTestCases.dEQP-VK.renderpass',
-        'CtsDeqpTestCases.dEQP-VK.renderpass2',
-        'CtsDeqpTestCases.dEQP-VK.robustness',
-        'CtsDeqpTestCases.dEQP-VK.sparse_resources',
-        'CtsDeqpTestCases.dEQP-VK.spirv_assembly',
-        'CtsDeqpTestCases.dEQP-VK.ssbo',
-        'CtsDeqpTestCases.dEQP-VK.subgroups',
-        'CtsDeqpTestCases.dEQP-VK.subgroups.b',
-        'CtsDeqpTestCases.dEQP-VK.subgroups.s',
-        'CtsDeqpTestCases.dEQP-VK.subgroups.vote',
-        'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic',
-        'CtsDeqpTestCases.dEQP-VK.subgroups.clustered',
-        'CtsDeqpTestCases.dEQP-VK.subgroups.quad',
-        'CtsDeqpTestCases.dEQP-VK.synchronization',
-        'CtsDeqpTestCases.dEQP-VK.tessellation',
-        'CtsDeqpTestCases.dEQP-VK.texture',
-        'CtsDeqpTestCases.dEQP-VK.ubo',
-        'CtsDeqpTestCases.dEQP-VK.wsi',
-        'CtsDeqpTestCases.dEQP-VK.ycbcr'
-    ]
-}
-# TODO(haddowk,kinaba): Hack for b/138622686. Clean up later.
-CONFIG['EXTRA_SUBMODULE_OVERRIDE'] = {
-    'x86': {
-         'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic': [
-             'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic.32',
-             'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic.64',
-         ]
-    }
-}
-
-CONFIG['EXTRA_COMMANDLINE'] = {
-    'CtsDeqpTestCases.dEQP-EGL': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-EGL.*'
-    ],
-    'CtsDeqpTestCases.dEQP-GLES2': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-GLES2.*'
-    ],
-    'CtsDeqpTestCases.dEQP-GLES3': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-GLES3.*'
-    ],
-    'CtsDeqpTestCases.dEQP-GLES31': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-GLES31.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.api': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.api.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.binding_model': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.binding_model.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.clipping': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.clipping.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.compute': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.compute.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.device_group': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.device_group*'  # Not ending on .* like most others!
-    ],
-    'CtsDeqpTestCases.dEQP-VK.draw': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.draw.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.dynamic_state': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.dynamic_state.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.fragment_operations': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.fragment_operations.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.geometry': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.geometry.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.glsl': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.glsl.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.image': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.image.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.info': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.info*'  # Not ending on .* like most others!
-    ],
-    'CtsDeqpTestCases.dEQP-VK.memory': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.memory.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.multiview': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.multiview.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.pipeline': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.pipeline.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.protected_memory': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.protected_memory.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.query_pool': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.query_pool.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.rasterization': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.rasterization.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.renderpass': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.renderpass.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.renderpass2': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.renderpass2.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.robustness': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.robustness.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.sparse_resources': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.sparse_resources.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.spirv_assembly': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.spirv_assembly.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.ssbo': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.ssbo.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.subgroups': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.subgroups.*'
-    ],
-    # Splitting VK.subgroups to smaller pieces to workaround b/138622686.
-    # TODO(kinaba,haddowk): remove them once the root cause is fixed, or
-    # reconsider the sharding strategy.
-    'CtsDeqpTestCases.dEQP-VK.subgroups.b': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.subgroups.b*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.subgroups.s': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.subgroups.s*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.subgroups.vote': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.subgroups.vote#*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.subgroups.arithmetic#*'
-    ],
-    # TODO(haddowk,kinaba): Hack for b/138622686. Clean up later.
-    'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic.32': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.subgroups.arithmetic#*', '--abi', 'x86'
-    ],
-    # TODO(haddowk,kinaba): Hack for b/138622686. Clean up later.
-    'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic.64': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.subgroups.arithmetic#*', '--abi', 'x86_64'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.subgroups.clustered': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.subgroups.clustered#*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.subgroups.quad': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.subgroups.quad#*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.synchronization': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.synchronization.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.tessellation': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.tessellation.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.texture': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.texture.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.ubo': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.ubo.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.wsi': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.wsi.*'
-    ],
-    'CtsDeqpTestCases.dEQP-VK.ycbcr': [
-        '--include-filter', 'CtsDeqpTestCases', '--module', 'CtsDeqpTestCases',
-        '--test', 'dEQP-VK.ycbcr.*'
-    ],
-    'CtsMediaTestCases.audio': [
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioAttributesTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioEffectTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioFocusTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioFormatTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioManagerTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioNativeTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioPlayRoutingNative',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioPlaybackConfigurationTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioPreProcessingTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioPresentationTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioRecordAppOpTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioRecordRoutingNative',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioRecordTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioRecord_BufferSizeTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioRecordingConfigurationTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioTrackLatencyTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioTrackSurroundTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioTrackTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.AudioTrack_ListenerTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.SoundPoolAacTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.SoundPoolMidiTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.SoundPoolOggTest',
-        '--include-filter', 'CtsMediaTestCases android.media.cts.VolumeShaperTest',
-    ],
-    _WM_PRESUBMIT: [
-        '--include-filter', 'CtsActivityManagerDeviceSdk25TestCases',
-        '--include-filter', 'CtsActivityManagerDeviceTestCases',
-        '--include-filter',
-        'CtsAppTestCases android.app.cts.TaskDescriptionTest',
-        '--include-filter', 'CtsWindowManagerDeviceTestCases',
-        '--test-arg', (
-            'com.android.compatibility.common.tradefed.testtype.JarHostTest:'
-            'include-annotation:android.platform.test.annotations.Presubmit'
-        ),
-        '--test-arg', (
-            'com.android.tradefed.testtype.AndroidJUnitTest:'
-            'include-annotation:android.platform.test.annotations.Presubmit'
-        ),
-        '--test-arg', (
-            'com.android.tradefed.testtype.HostTest:'
-            'include-annotation:android.platform.test.annotations.Presubmit'
-        ),
-        '--test-arg', (
-            'com.android.tradefed.testtype.AndroidJUnitTest:'
-            'exclude-annotation:androidx.test.filters.FlakyTest'
-        ),
-    ],
-}
-
-CONFIG['EXTRA_ATTRIBUTES'] = {
-    'CtsDeqpTestCases': ['suite:arc-cts', 'suite:arc-cts-deqp'],
-    'CtsDeqpTestCases.dEQP-EGL': [
-        'suite:arc-cts-deqp', 'suite:graphics_per-week'
-    ],
-    'CtsDeqpTestCases.dEQP-GLES2': [
-        'suite:arc-cts-deqp', 'suite:graphics_per-week'
-    ],
-    'CtsDeqpTestCases.dEQP-GLES3': [
-        'suite:arc-cts-deqp', 'suite:graphics_per-week'
-    ],
-    'CtsDeqpTestCases.dEQP-GLES31': [
-        'suite:arc-cts-deqp', 'suite:graphics_per-week'
-    ],
-    'CtsDeqpTestCases.dEQP-VK': [
-        'suite:arc-cts-deqp', 'suite:graphics_per-week'
-    ],
-    _COLLECT: ['suite:arc-cts-qual', 'suite:arc-cts'],
-}
-
-CONFIG['EXTRA_ARTIFACTS'] = {
-    'CtsViewTestCases': ["/storage/emulated/0/SurfaceViewSyncTest/"],
-}
-
-CONFIG['EXTRA_ARTIFACTS_HOST'] = {
-    # For fixing flakiness b/143049967.
-    'CtsThemeHostTestCases': ["/tmp/diff_*.png"],
-}
-
-_PREREQUISITE_BLUETOOTH = 'bluetooth'
-_PREREQUISITE_REGION_US = 'region_us'
-
-CONFIG['PREREQUISITES'] = {
-    'CtsBluetoothTestCases': [_PREREQUISITE_BLUETOOTH],
-    'CtsStatsdHostTestCases': [_PREREQUISITE_BLUETOOTH],
-    'CtsWebkitTestCases': [_PREREQUISITE_REGION_US],
-    'CtsContentTestCases': [_PREREQUISITE_REGION_US],
-    'CtsAppSecurityTestCases': [_PREREQUISITE_REGION_US],
-    'CtsThemeHostTestCases': [_PREREQUISITE_REGION_US],
-}
-
-from generate_controlfiles_common import main
-
-if __name__ == '__main__':
-    main(CONFIG)
diff --git a/server/cros/tradefed/generate_controlfiles_CTS_R.py b/server/cros/tradefed/generate_controlfiles_CTS_R.py
deleted file mode 100755
index 3720708..0000000
--- a/server/cros/tradefed/generate_controlfiles_CTS_R.py
+++ /dev/null
@@ -1,820 +0,0 @@
-#!/usr/bin/env python2
-# Copyright 2020 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import collections
-
-CONFIG = {}
-
-CONFIG['TEST_NAME'] = 'cheets_CTS_R'
-CONFIG['DOC_TITLE'] = 'Android Compatibility Test Suite (CTS)'
-CONFIG['MOBLAB_SUITE_NAME'] = 'suite:cts'
-CONFIG['COPYRIGHT_YEAR'] = 2020
-CONFIG['AUTHKEY'] = ''
-
-# Both arm, x86 tests results normally is below 200MB.
-# 1000MB should be sufficient for CTS tests and dump logs for android-cts.
-CONFIG['LARGE_MAX_RESULT_SIZE'] = 1000 * 1024
-
-# Individual module normal produces less results than all modules, which is
-# ranging from 4MB to 50MB. 500MB should be sufficient to handle all the cases.
-CONFIG['NORMAL_MAX_RESULT_SIZE'] = 500 * 1024
-
-CONFIG['TRADEFED_CTS_COMMAND'] = 'cts'
-CONFIG['TRADEFED_RETRY_COMMAND'] = 'retry'
-CONFIG['TRADEFED_DISABLE_REBOOT'] = False
-CONFIG['TRADEFED_DISABLE_REBOOT_ON_COLLECTION'] = True
-CONFIG['TRADEFED_MAY_SKIP_DEVICE_INFO'] = False
-CONFIG['TRADEFED_EXECUTABLE_PATH'] = 'android-cts/tools/cts-tradefed'
-CONFIG['TRADEFED_IGNORE_BUSINESS_LOGIC_FAILURE'] = False
-
-# On moblab everything runs in the same suite.
-CONFIG['INTERNAL_SUITE_NAMES'] = [
-        'suite:arc-cts-r', 'suite:arc-cts', 'suite:arc-cts-unibuild'
-]
-CONFIG['QUAL_SUITE_NAMES'] = ['suite:arc-cts-qual']
-
-CONFIG['CONTROLFILE_TEST_FUNCTION_NAME'] = 'run_TS'
-CONFIG['CONTROLFILE_WRITE_SIMPLE_QUAL_AND_REGRESS'] = False
-CONFIG['CONTROLFILE_WRITE_CAMERA'] = True
-CONFIG['CONTROLFILE_WRITE_EXTRA'] = True
-
-# The dashboard suppresses upload to APFE for GS directories (based on autotest
-# tag) that contain 'tradefed-run-collect-tests'. b/119640440
-# Do not change the name/tag without adjusting the dashboard.
-_COLLECT = 'tradefed-run-collect-tests-only-internal'
-_PUBLIC_COLLECT = 'tradefed-run-collect-tests-only'
-
-CONFIG['LAB_DEPENDENCY'] = {'x86': ['cts_abi_x86']}
-
-CONFIG['CTS_JOB_RETRIES_IN_PUBLIC'] = 1
-CONFIG['CTS_QUAL_RETRIES'] = 9
-CONFIG['CTS_MAX_RETRIES'] = {
-        # TODO(b/183196062): Remove once the flakiness is fixed.
-        'CtsHardwareTestCases': 30,
-        # TODO(b/168262403): Remove once the flakiness is fixed.
-        'CtsIncidentHostTestCases': 10,
-        # TODO(b/181543065): Remove once the flakiness is fixed.
-        'CtsWindowManagerDeviceTestCases': 10,
-}
-
-# Timeout in hours.
-CONFIG['CTS_TIMEOUT_DEFAULT'] = 1.0
-CONFIG['CTS_TIMEOUT'] = {
-        'CtsAppSecurityHostTestCases': 2.0,
-        'CtsAutoFillServiceTestCases': 2.5,  # TODO(b/134662826)
-        'CtsCameraTestCases': 1.5,
-        'CtsDeqpTestCases': 30.0,
-        'CtsDeqpTestCases.dEQP-EGL': 2.0,
-        'CtsDeqpTestCases.dEQP-GLES2': 2.0,
-        'CtsDeqpTestCases.dEQP-GLES3': 6.0,
-        'CtsDeqpTestCases.dEQP-GLES31': 6.0,
-        'CtsDeqpTestCases.dEQP-VK': 15.0,
-        'CtsFileSystemTestCases': 3.0,
-        'CtsHardwareTestCases': 2.0,
-        'CtsIcuTestCases': 2.0,
-        'CtsLibcoreOjTestCases': 2.0,
-        'CtsMediaStressTestCases': 5.0,
-        'CtsMediaTestCases': 10.0,
-        'CtsMediaTestCases.video': 10.0,
-        'CtsNNAPIBenchmarkTestCases': 2.0,
-        'CtsPrintTestCases': 1.5,
-        'CtsSecurityTestCases': 20.0,
-        'CtsSecurityTestCases[instant]': 20.0,
-        'CtsSensorTestCases': 2.0,
-        'CtsStatsdHostTestCases': 2.0,
-        'CtsVideoTestCases': 1.5,
-        'CtsViewTestCases': 2.5,
-        'CtsWidgetTestCases': 2.0,
-        _COLLECT: 2.5,
-        _PUBLIC_COLLECT: 2.5,
-}
-
-# Any test that runs as part as blocking BVT needs to be stable and fast. For
-# this reason we enforce a tight timeout on these modules/jobs.
-# Timeout in hours. (0.1h = 6 minutes)
-CONFIG['BVT_TIMEOUT'] = 0.1
-# We allow a very long runtime for qualification (2 days).
-CONFIG['QUAL_TIMEOUT'] = 48
-
-CONFIG['QUAL_BOOKMARKS'] = sorted([
-        'A',  # A bookend to simplify partition algorithm.
-        'CtsAccessibilityServiceTestCases',  # TODO(ihf) remove when b/121291711 fixed. This module causes problems. Put it into its own control file.
-        'CtsAccessibilityServiceTestCasesz',
-        'CtsActivityManagerDevice',  # Runs long enough. (3h)
-        'CtsActivityManagerDevicez',
-        'CtsDeqpTestCases',
-        'CtsDeqpTestCasesz',  # Put Deqp in one control file. Long enough, fairly stable.
-        'CtsFileSystemTestCases',  # Runs long enough. (3h)
-        'CtsFileSystemTestCasesz',
-        'CtsMediaStressTestCases',  # Put heavy  Media module in its own control file. Long enough.
-        'CtsMediaTestCases',
-        'CtsMediaTestCasesz',
-        'CtsJvmti',
-        'CtsProvider',  # TODO(b/184680306): Remove once the USB stick issue is resolved.
-        'CtsSecurityHostTestCases',  # TODO(ihf): remove when passing cleanly.
-        'CtsSecurityHostTestCasesz',
-        'CtsSensorTestCases',  # TODO(ihf): Remove when not needing 30 retries.
-        'CtsSensorTestCasesz',
-        'CtsSystem',  # TODO(b/183170604): Remove when flakiness is fixed.
-        'CtsViewTestCases',  # TODO(b/126741318): Fix performance regression and remove this.
-        'CtsViewTestCasesz',
-        'zzzzz'  # A bookend to simplify algorithm.
-])
-
-CONFIG['SMOKE'] = []
-
-CONFIG['BVT_ARC'] = []
-
-CONFIG['BVT_PERBUILD'] = [
-        'CtsAccelerationTestCases',
-        'CtsMidiTestCases',
-]
-
-CONFIG['NEEDS_POWER_CYCLE'] = []
-
-CONFIG['HARDWARE_DEPENDENT_MODULES'] = [
-        'CtsSensorTestCases',
-        'CtsCameraTestCases',
-        'CtsBluetoothTestCases',
-]
-
-# The suite is divided based on the run-time hint in the *.config file.
-CONFIG['VMTEST_INFO_SUITES'] = collections.OrderedDict()
-
-# Modules that are known to download and/or push media file assets.
-CONFIG['MEDIA_MODULES'] = [
-        'CtsMediaTestCases',
-        'CtsMediaStressTestCases',
-        'CtsMediaBitstreamsTestCases',
-]
-
-CONFIG['NEEDS_PUSH_MEDIA'] = CONFIG['MEDIA_MODULES'] + [
-        'CtsMediaTestCases.audio',
-        'CtsMediaTestCases.perf',
-        'CtsMediaTestCases.video',
-]
-
-CONFIG['NEEDS_CTS_HELPERS'] = [
-        'CtsPrintTestCases',
-]
-
-CONFIG['SPLIT_BY_BITS_MODULES'] = [
-        'CtsDeqpTestCases',
-        'CtsMediaTestCases',
-]
-
-CONFIG['USE_OLD_ADB'] = [
-        'CtsStatsdHostTestCases',
-]
-
-# Modules that are known to need the default apps of Chrome (eg. Files.app).
-CONFIG['ENABLE_DEFAULT_APPS'] = [
-        'CtsAppSecurityHostTestCases',
-        'CtsContentTestCases',
-]
-
-# Run `eject` for (and only for) each device with RM=1 in lsblk output.
-_EJECT_REMOVABLE_DISK_COMMAND = (
-        "\'lsblk -do NAME,RM | sed -n s/1$//p | xargs -n1 eject\'")
-
-_WIFI_CONNECT_COMMANDS = [
-        # These needs to be in order.
-        "'/usr/local/autotest/cros/scripts/wifi connect %s %s\' % (ssid, wifipass)",
-        "'android-sh -c \\'dumpsys wifi transports -eth\\''"
-]
-
-# Preconditions applicable to public and internal tests.
-CONFIG['PRECONDITION'] = {}
-CONFIG['LOGIN_PRECONDITION'] = {
-        'CtsAppSecurityHostTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-        'CtsJobSchedulerTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-        'CtsMediaTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-        'CtsOsTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-        'CtsProviderTestCases': [_EJECT_REMOVABLE_DISK_COMMAND],
-}
-
-# Preconditions applicable to public tests.
-CONFIG['PUBLIC_PRECONDITION'] = {
-        'CtsHostsideNetworkTests': _WIFI_CONNECT_COMMANDS,
-        'CtsLibcoreTestCases': _WIFI_CONNECT_COMMANDS,
-        'CtsNetApi23TestCases': _WIFI_CONNECT_COMMANDS,
-        'CtsNetTestCases': _WIFI_CONNECT_COMMANDS,
-        'CtsJobSchedulerTestCases': _WIFI_CONNECT_COMMANDS,
-        'CtsUsageStatsTestCases': _WIFI_CONNECT_COMMANDS,
-        'CtsStatsdHostTestCases': _WIFI_CONNECT_COMMANDS,
-        'CtsWifiTestCases': _WIFI_CONNECT_COMMANDS,
-}
-CONFIG['PUBLIC_DEPENDENCIES'] = {
-        'CtsCameraTestCases': ['lighting'],
-        'CtsMediaTestCases': ['noloopback'],
-}
-
-CONFIG['PUBLIC_OVERRIDE_TEST_PRIORITY'] = {
-        _PUBLIC_COLLECT: 70,
-        'CtsDeqpTestCases': 70,
-        'CtsDeqpTestCases': 70,
-        'CtsMediaTestCases': 70,
-        'CtsMediaStressTestCases': 70,
-        'CtsSecurityTestCases': 70,
-        'CtsCameraTestCases': 70
-}
-
-# This information is changed based on regular analysis of the failure rate on
-# partner moblabs.
-CONFIG['PUBLIC_MODULE_RETRY_COUNT'] = {
-        # TODO(b/183196062): Remove once the flakiness is fixed.
-        'CtsHardwareTestCases': 30,
-        # TODO(b/168262403): Remove once the flakiness is fixed.
-        'CtsIncidentHostTestCases': 10,
-        # TODO(b/181543065): Remove once the flakiness is fixed.
-        'CtsWindowManagerDeviceTestCases': 10,
-}
-
-# This information is changed based on regular analysis of the job run time on
-# partner moblabs.
-
-CONFIG['OVERRIDE_TEST_LENGTH'] = {
-        'CtsDeqpTestCases': 4,  # LONG
-        'CtsMediaTestCases': 4,
-        'CtsMediaStressTestCases': 4,
-        'CtsSecurityTestCases': 4,
-        'CtsCameraTestCases': 4,
-        # Even though collect tests doesn't run very long, it must be the very first
-        # job executed inside of the suite. Hence it is the only 'LENGTHY' test.
-        _COLLECT: 5,  # LENGTHY
-        _PUBLIC_COLLECT: 5,  # LENGTHY
-}
-
-# Enabling --logcat-on-failure can extend total run time significantly if
-# individual tests finish in the order of 10ms or less (b/118836700). Specify
-# modules here to not enable the flag.
-CONFIG['DISABLE_LOGCAT_ON_FAILURE'] = set([
-        'all',
-        'CtsDeqpTestCases',
-        'CtsDeqpTestCases.dEQP-EGL',
-        'CtsDeqpTestCases.dEQP-GLES2',
-        'CtsDeqpTestCases.dEQP-GLES3',
-        'CtsDeqpTestCases.dEQP-GLES31',
-        'CtsDeqpTestCases.dEQP-VK',
-        'CtsLibcoreTestCases',
-])
-
-CONFIG['EXTRA_MODULES'] = {
-        'CtsDeqpTestCases': {
-                'SUBMODULES':
-                set([
-                        'CtsDeqpTestCases.dEQP-EGL',
-                        'CtsDeqpTestCases.dEQP-GLES2',
-                        'CtsDeqpTestCases.dEQP-GLES3',
-                        'CtsDeqpTestCases.dEQP-GLES31',
-                        'CtsDeqpTestCases.dEQP-VK'
-                ]),
-                'SUITES': ['suite:arc-cts-r'],
-        },
-        'CtsMediaTestCases': {
-                'SUBMODULES':
-                set([
-                        'CtsMediaTestCases.audio',
-                        'CtsMediaTestCases.perf',
-                        'CtsMediaTestCases.video',
-                ]),
-                'SUITES': ['suite:arc-cts-r', 'suite:arc-cts'],
-        },
-        'CtsWindowManagerDeviceTestCases': {
-                'SUBMODULES':
-                set([
-                        'CtsWindowManager.A',
-                        'CtsWindowManager.C',
-                        'CtsWindowManager.D',
-                        'CtsWindowManager.F',
-                        'CtsWindowManager.L',
-                        'CtsWindowManager.M',
-                        'CtsWindowManager.Override',
-                        'CtsWindowManager.P',
-                        'CtsWindowManager.R',
-                        'CtsWindowManager.S',
-                        'CtsWindowManager.T',
-                        'CtsWindowManager.Window',
-                        'CtsWindowManager.intent',
-                        'CtsWindowManager.lifecycle',
-                ]),
-                'SUITES': ['suite:arc-cts-r'],
-        },
-}
-
-# Moblab optionally can reshard modules, this was originally used
-# for deqp but it is no longer required for that module.  Retaining
-# feature in case future slower module needs to be sharded.
-CONFIG['PUBLIC_EXTRA_MODULES'] = {}
-
-# TODO(haddowk,kinaba): Hack for b/138622686. Clean up later.
-CONFIG['EXTRA_SUBMODULE_OVERRIDE'] = {
-        'x86': {
-                'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic': [
-                        'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic.32',
-                        'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic.64',
-                ]
-        }
-}
-
-CONFIG['EXTRA_COMMANDLINE'] = {
-        'CtsDeqpTestCases.dEQP-EGL': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-EGL.*'
-        ],
-        'CtsDeqpTestCases.dEQP-GLES2': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-GLES2.*'
-        ],
-        'CtsDeqpTestCases.dEQP-GLES3': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-GLES3.*'
-        ],
-        'CtsDeqpTestCases.dEQP-GLES31': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-GLES31.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.api': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.api.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.binding_model': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.binding_model.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.clipping': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.clipping.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.compute': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.compute.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.device_group': [
-                '--include-filter',
-                'CtsDeqpTestCases',
-                '--module',
-                'CtsDeqpTestCases',
-                '--test',
-                'dEQP-VK.device_group*'  # Not ending on .* like most others!
-        ],
-        'CtsDeqpTestCases.dEQP-VK.draw': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.draw.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.dynamic_state': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.dynamic_state.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.fragment_operations': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.fragment_operations.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.geometry': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.geometry.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.glsl': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.glsl.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.image': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.image.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.info': [
-                '--include-filter',
-                'CtsDeqpTestCases',
-                '--module',
-                'CtsDeqpTestCases',
-                '--test',
-                'dEQP-VK.info*'  # Not ending on .* like most others!
-        ],
-        'CtsDeqpTestCases.dEQP-VK.memory': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.memory.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.multiview': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.multiview.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.pipeline': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.pipeline.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.protected_memory': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.protected_memory.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.query_pool': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.query_pool.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.rasterization': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.rasterization.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.renderpass': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.renderpass.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.renderpass2': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.renderpass2.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.robustness': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.robustness.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.sparse_resources': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.sparse_resources.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.spirv_assembly': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.spirv_assembly.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.ssbo': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.ssbo.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.subgroups': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.subgroups.*'
-        ],
-        # Splitting VK.subgroups to smaller pieces to workaround b/138622686.
-        # TODO(kinaba,haddowk): remove them once the root cause is fixed, or
-        # reconsider the sharding strategy.
-        'CtsDeqpTestCases.dEQP-VK.subgroups.b': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.subgroups.b*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.subgroups.s': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.subgroups.s*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.subgroups.vote': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.subgroups.vote#*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.subgroups.arithmetic#*'
-        ],
-        # TODO(haddowk,kinaba): Hack for b/138622686. Clean up later.
-        'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic.32': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.subgroups.arithmetic#*',
-                '--abi', 'x86'
-        ],
-        # TODO(haddowk,kinaba): Hack for b/138622686. Clean up later.
-        'CtsDeqpTestCases.dEQP-VK.subgroups.arithmetic.64': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.subgroups.arithmetic#*',
-                '--abi', 'x86_64'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.subgroups.clustered': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.subgroups.clustered#*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.subgroups.quad': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.subgroups.quad#*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.synchronization': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.synchronization.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.tessellation': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.tessellation.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.texture': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.texture.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.ubo': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.ubo.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.wsi': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.wsi.*'
-        ],
-        'CtsDeqpTestCases.dEQP-VK.ycbcr': [
-                '--include-filter', 'CtsDeqpTestCases', '--module',
-                'CtsDeqpTestCases', '--test', 'dEQP-VK.ycbcr.*'
-        ],
-        'CtsMediaTestCases.audio': [
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioAttributesTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioEffectTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioAttributesTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioEffectTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioFocusTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioFormatTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioManagerTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioMetadataTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioNativeTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioPlayRoutingNative',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioPlaybackCaptureTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioPlaybackConfigurationTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioPreProcessingTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioPresentationTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioRecordAppOpTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioRecordRoutingNative',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioRecordTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioRecord_BufferSizeTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioRecordingConfigurationTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioSystemTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioSystemUsageTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioTrackLatencyTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioTrackOffloadTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioTrackSurroundTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioTrackTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AudioTrack_ListenerTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.SoundPoolAacTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.SoundPoolHapticTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.SoundPoolMidiTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.SoundPoolOggTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.VolumeShaperTest',
-        ],
-        'CtsMediaTestCases.perf': [
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.VideoDecoderPerfTest',
-        ],
-        'CtsMediaTestCases.video': [
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.AdaptivePlaybackTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.DecodeAccuracyTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.DecodeEditEncodeTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.DecoderConformanceTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.EncodeDecodeTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.ExtractDecodeEditEncodeMuxTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.MediaCodecPlayerTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.MediaCodecPlayerTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.MediaDrmClearkeyTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.MediaRecorderTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.MediaSynctest#testPlayVideo',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.VideoCodecTest',
-                '--include-filter',
-                'CtsMediaTestCases android.media.cts.VideoEncoderTest',
-        ],
-        'CtsWindowManager.A': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.ActivityManagerGetConfigTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.ActivityMetricsLoggerTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.ActivityTaskAffinityTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.ActivityTransitionTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.ActivityViewTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.ActivityVisibilityTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.AddWindowAsUserTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.AlertWindowsAppOpsTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.AlertWindowsImportanceTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.AlertWindowsTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.AmProfileTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.AmStartOptionsTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.AnrTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.AppConfigurationTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.AspectRatioTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.AssistantStackTests',
-        ],
-        'CtsWindowManager.C': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.CloseOnOutsideTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.ConfigChangeTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.CrossAppDragAndDropTests',
-        ],
-        'CtsWindowManager.D': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.DecorInsetTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.DeprecatedTargetSdkTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.DialogFrameTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.DisplayCutoutTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.DisplaySizeTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.DisplayTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.DragDropTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.DreamManagerServiceTests',
-        ],
-        'CtsWindowManager.F': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.ForceRelayoutTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.FreeformWindowingModeTests',
-        ],
-        'CtsWindowManager.L': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.LayoutTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.LocationInWindowTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.LocationOnScreenTests',
-        ],
-        'CtsWindowManager.M': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.ManifestLayoutTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.MinimalPostProcessingTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.MultiDisplayActivityLaunchTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.MultiDisplayClientTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.MultiDisplayKeyguardTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.MultiDisplayLockedKeyguardTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.MultiDisplayPolicyTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.MultiDisplayPrivateDisplayTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.MultiDisplaySecurityTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.MultiDisplaySystemDecorationTests',
-        ],
-        'CtsWindowManager.Override': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.OverrideConfigTests',
-        ],
-        'CtsWindowManager.P': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.PinnedStackTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.PrereleaseSdkTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.PresentationTest',
-        ],
-        'CtsWindowManager.R': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.ReplaceWindowTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.RobustnessTests',
-        ],
-        'CtsWindowManager.S': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.SplashscreenTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.SplitScreenTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.StartActivityAsUserTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.StartActivityTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.SurfaceControlTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.SurfaceControlViewHostTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.SurfaceViewSurfaceValidatorTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.SurfaceViewTest',
-        ],
-        'CtsWindowManager.T': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.ToastWindowTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.TransitionSelectionTests',
-        ],
-        'CtsWindowManager.Window': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowContextPolicyTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowContextTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowFocusTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowInputTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowInsetsAnimationCallbackTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowInsetsAnimationControllerTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowInsetsAnimationImeTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowInsetsAnimationSynchronicityTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowInsetsAnimationTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowInsetsControllerTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowInsetsLayoutTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowInsetsPolicyTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowInsetsTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowManager_BadTokenExceptionTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowManager_LayoutParamsTest',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowMetricsTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.WindowTest',
-        ],
-        'CtsWindowManager.intent': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.intent.IntentGenerationTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.intent.IntentTests',
-        ],
-        'CtsWindowManager.lifecycle': [
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.lifecycle.ActivityLifecycleFreeformTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.lifecycle.ActivityLifecycleKeyguardTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.lifecycle.ActivityLifecyclePipTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.lifecycle.ActivityLifecycleSplitScreenTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.lifecycle.ActivityLifecycleTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.lifecycle.ActivityLifecycleTopResumedStateTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.lifecycle.ActivityStarterTests',
-                '--include-filter',
-                'CtsWindowManagerDeviceTestCases android.server.wm.lifecycle.ActivityTests',
-        ],
-}
-
-CONFIG['EXTRA_ATTRIBUTES'] = {}
-
-CONFIG['EXTRA_ARTIFACTS'] = {}
-CONFIG['PREREQUISITES'] = {}
-
-CONFIG['USE_JDK9'] = True
-
-from generate_controlfiles_common import main
-
-if __name__ == '__main__':
-    main(CONFIG)
diff --git a/server/cros/tradefed/generate_controlfiles_GTS.py b/server/cros/tradefed/generate_controlfiles_GTS.py
deleted file mode 100755
index 8a9a7e9..0000000
--- a/server/cros/tradefed/generate_controlfiles_GTS.py
+++ /dev/null
@@ -1,158 +0,0 @@
-#!/usr/bin/env python2
-# Copyright 2016 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import collections
-
-# The dashboard suppresses upload to APFE for GS directories (based on autotest
-# tag) that contain 'tradefed-run-collect-tests'. b/119640440
-# Do not change the name/tag without adjusting the dashboard.
-_COLLECT = 'tradefed-run-collect-tests-only-internal'
-_PUBLIC_COLLECT = 'tradefed-run-collect-tests-only'
-_ALL = 'all'
-
-CONFIG = {}
-
-CONFIG['TEST_NAME'] = 'cheets_GTS'
-CONFIG['DOC_TITLE'] = 'Android Google Test Suite (GTS)'
-CONFIG['MOBLAB_SUITE_NAME'] = 'suite:gts'
-CONFIG['COPYRIGHT_YEAR'] = 2016
-
-CONFIG['AUTHKEY'] = 'gs://chromeos-arc-images/cts/bundle/gts-arc.json'
-CONFIG['TRADEFED_IGNORE_BUSINESS_LOGIC_FAILURE'] = True
-
-CONFIG['LARGE_MAX_RESULT_SIZE'] = 500 * 1024
-CONFIG['NORMAL_MAX_RESULT_SIZE'] = 300 * 1024
-
-CONFIG['TRADEFED_CTS_COMMAND'] ='gts'
-CONFIG['TRADEFED_RETRY_COMMAND'] = 'retry'
-CONFIG['TRADEFED_DISABLE_REBOOT'] = False
-CONFIG['TRADEFED_DISABLE_REBOOT_ON_COLLECTION'] = True
-CONFIG['TRADEFED_MAY_SKIP_DEVICE_INFO'] = False
-CONFIG['NEEDS_DEVICE_INFO'] = []
-CONFIG['TRADEFED_EXECUTABLE_PATH'] = 'android-gts/tools/gts-tradefed'
-
-CONFIG['INTERNAL_SUITE_NAMES'] = ['suite:arc-gts']
-CONFIG['QUAL_SUITE_NAMES'] = ['suite:arc-gts-qual']
-
-CONFIG['CONTROLFILE_TEST_FUNCTION_NAME'] = 'run_TS'
-CONFIG['CONTROLFILE_WRITE_SIMPLE_QUAL_AND_REGRESS'] = False
-CONFIG['CONTROLFILE_WRITE_CAMERA'] = False
-CONFIG['CONTROLFILE_WRITE_EXTRA'] = False
-
-CONFIG['CTS_JOB_RETRIES_IN_PUBLIC'] = 2
-CONFIG['CTS_QUAL_RETRIES'] = 9
-CONFIG['CTS_MAX_RETRIES'] = {}
-
-# Timeout in hours.
-# Modules that run very long are encoded here.
-CONFIG['CTS_TIMEOUT_DEFAULT'] = 0.2
-CONFIG['CTS_TIMEOUT'] = {
-        'GtsAssistantMicHostTestCases': 0.5,
-        'GtsExoPlayerTestCases': 1.5,
-        'GtsGmscoreHostTestCases': 1.0,
-        'GtsMediaTestCases': 4,
-        'GtsNetworkWatchlistTestCases': 1.0,
-        'GtsYouTubeTestCases': 1.0,
-        _ALL: 24,
-        _COLLECT: 1.0,
-        _PUBLIC_COLLECT: 1.0,
-}
-
-# Any test that runs as part as blocking BVT needs to be stable and fast. For
-# this reason we enforce a tight timeout on these modules/jobs.
-# Timeout in hours. (0.1h = 6 minutes)
-CONFIG['BVT_TIMEOUT'] = 0.1
-# We allow a very long runtime for qualification (1 day).
-CONFIG['QUAL_TIMEOUT'] = 24
-
-CONFIG['QUAL_BOOKMARKS'] = sorted([
-    'A',  # A bookend to simplify partition algorithm.
-    'GtsExoPlayerTestCases',
-    'GtsMediaTestCases',
-    'GtsMediaTestCasesz',  # runs the biggest module in a single job.
-    'zzzzz'  # A bookend to simplify algorithm.
-])
-
-CONFIG['SMOKE'] = []
-
-CONFIG['BVT_ARC'] = []
-
-CONFIG['BVT_PERBUILD'] = [
-    'GtsAdminTestCases',
-    'GtsMemoryHostTestCases',
-    'GtsMemoryTestCases',
-    'GtsNetTestCases',
-    'GtsOsTestCases',
-    'GtsPlacementTestCases',
-    'GtsPrivacyTestCases',
-]
-
-CONFIG['NEEDS_POWER_CYCLE'] = []
-
-CONFIG['HARDWARE_DEPENDENT_MODULES'] = []
-
-CONFIG['VMTEST_INFO_SUITES'] = collections.OrderedDict()
-
-# Modules that are known to download and/or push media file assets.
-CONFIG['MEDIA_MODULES'] = ['GtsYouTubeTestCases']
-CONFIG['NEEDS_PUSH_MEDIA'] = CONFIG['MEDIA_MODULES'] + [_ALL]
-CONFIG['ENABLE_DEFAULT_APPS'] = []
-
-# Preconditions applicable to public and internal tests.
-CONFIG['PRECONDITION'] = {}
-CONFIG['LOGIN_PRECONDITION'] = {}
-
-CONFIG['LAB_DEPENDENCY'] = {}
-
-# Preconditions applicable to public tests.
-CONFIG['PUBLIC_PRECONDITION'] = {}
-CONFIG['PUBLIC_DEPENDENCIES'] = {}
-
-# This information is changed based on regular analysis of the failure rate on
-# partner moblabs.
-CONFIG['PUBLIC_MODULE_RETRY_COUNT'] = {
-  _ALL: 2,
-  'GtsExoPlayerTestCases': 5,  # TODO(b/149376356, b/164230246)
-  'GtsMediaTestCases': 5,  # TODO(b/140841434)
-  'GtsYouTubeTestCases': 5,  # TODO(b/149376356)
-}
-
-CONFIG['PUBLIC_OVERRIDE_TEST_PRIORITY'] = {
-    _PUBLIC_COLLECT: 70,
-}
-
-# This information is changed based on regular analysis of the job run time on
-# partner moblabs.
-
-CONFIG['OVERRIDE_TEST_LENGTH'] = {
-    'GtsMediaTestCases': 4,
-    _ALL: 4,
-    # Even though collect tests doesn't run very long, it must be the very first
-    # job executed inside of the suite. Hence it is the only 'LENGTHY' test.
-    _COLLECT: 5,  # LENGTHY
-}
-
-# Enabling --logcat-on-failure can extend total run time significantly if
-# individual tests finish in the order of 10ms or less (b/118836700). Specify
-# modules here to not enable the flag.
-CONFIG['DISABLE_LOGCAT_ON_FAILURE'] = set([])
-CONFIG['EXTRA_MODULES'] = {}
-CONFIG['PUBLIC_EXTRA_MODULES'] = {}
-CONFIG['EXTRA_SUBMODULE_OVERRIDE'] = {}
-CONFIG['EXTRA_COMMANDLINE'] = {}
-CONFIG['EXTRA_ATTRIBUTES'] = {
-    'tradefed-run-collect-tests-only-internal': ['suite:arc-gts'],
-}
-CONFIG['EXTRA_ARTIFACTS'] = {}
-
-CONFIG['PREREQUISITES'] = {
-    'GtsGmscoreHostTestCases': ['bluetooth'],
-}
-CONFIG['USE_JDK9'] = True
-
-from generate_controlfiles_common import main
-
-if __name__ == '__main__':
-    main(CONFIG)
diff --git a/server/cros/tradefed/generate_controlfiles_GTS_R.py b/server/cros/tradefed/generate_controlfiles_GTS_R.py
deleted file mode 100755
index 3dc4b70..0000000
--- a/server/cros/tradefed/generate_controlfiles_GTS_R.py
+++ /dev/null
@@ -1,151 +0,0 @@
-#!/usr/bin/env python2
-# Copyright 2020 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import collections
-
-# The dashboard suppresses upload to APFE for GS directories (based on autotest
-# tag) that contain 'tradefed-run-collect-tests'. b/119640440
-# Do not change the name/tag without adjusting the dashboard.
-_COLLECT = 'tradefed-run-collect-tests-only-internal'
-_PUBLIC_COLLECT = 'tradefed-run-collect-tests-only'
-_ALL = 'all'
-
-CONFIG = {}
-
-CONFIG['TEST_NAME'] = 'cheets_GTS_R'
-CONFIG['DOC_TITLE'] = 'Android Google Test Suite (GTS)'
-CONFIG['MOBLAB_SUITE_NAME'] = 'suite:gts'
-CONFIG['COPYRIGHT_YEAR'] = 2020
-
-CONFIG['AUTHKEY'] = 'gs://chromeos-arc-images/cts/bundle/gts-arc.json'
-CONFIG['TRADEFED_IGNORE_BUSINESS_LOGIC_FAILURE'] = True
-
-CONFIG['LARGE_MAX_RESULT_SIZE'] = 500 * 1024
-CONFIG['NORMAL_MAX_RESULT_SIZE'] = 300 * 1024
-
-CONFIG['TRADEFED_CTS_COMMAND'] ='gts'
-CONFIG['TRADEFED_RETRY_COMMAND'] = 'retry'
-CONFIG['TRADEFED_DISABLE_REBOOT'] = False
-CONFIG['TRADEFED_DISABLE_REBOOT_ON_COLLECTION'] = True
-CONFIG['TRADEFED_MAY_SKIP_DEVICE_INFO'] = False
-CONFIG['NEEDS_DEVICE_INFO'] = []
-CONFIG['TRADEFED_EXECUTABLE_PATH'] = 'android-gts/tools/gts-tradefed'
-
-# For now only run as a part of arc-cts-r.
-# TODO(kinaba): move to arc-gts and arc-gts-qual after R
-# got out from the experimental state.
-CONFIG['INTERNAL_SUITE_NAMES'] = ['suite:arc-cts-r', 'suite:arc-gts']
-CONFIG['QUAL_SUITE_NAMES'] = ['suite:arc-gts-qual']
-
-CONFIG['CONTROLFILE_TEST_FUNCTION_NAME'] = 'run_TS'
-CONFIG['CONTROLFILE_WRITE_SIMPLE_QUAL_AND_REGRESS'] = False
-CONFIG['CONTROLFILE_WRITE_CAMERA'] = False
-CONFIG['CONTROLFILE_WRITE_EXTRA'] = False
-
-CONFIG['CTS_JOB_RETRIES_IN_PUBLIC'] = 2
-CONFIG['CTS_QUAL_RETRIES'] = 9
-CONFIG['CTS_MAX_RETRIES'] = {}
-
-# Timeout in hours.
-# Modules that run very long are encoded here.
-CONFIG['CTS_TIMEOUT_DEFAULT'] = 0.2
-CONFIG['CTS_TIMEOUT'] = {
-        'GtsBackupHostTestCases': 0.5,
-        'GtsExoPlayerTestCases': 1.5,
-        'GtsGmscoreHostTestCases': 1.0,
-        'GtsMediaTestCases': 4,
-        'GtsYouTubeTestCases': 1.0,
-        _ALL: 24,
-        _COLLECT: 0.5,
-        _PUBLIC_COLLECT: 0.5,
-}
-
-# Any test that runs as part as blocking BVT needs to be stable and fast. For
-# this reason we enforce a tight timeout on these modules/jobs.
-# Timeout in hours. (0.1h = 6 minutes)
-CONFIG['BVT_TIMEOUT'] = 0.1
-# We allow a very long runtime for qualification (1 day).
-CONFIG['QUAL_TIMEOUT'] = 24
-
-CONFIG['QUAL_BOOKMARKS'] = sorted([
-        'A',  # A bookend to simplify partition algorithm.
-        'GtsExoPlayerTestCases',
-        'GtsMediaTestCases',
-        'GtsMediaTestCasesz',  # runs the biggest module in a single job.
-        'zzzzz'  # A bookend to simplify algorithm.
-])
-
-CONFIG['SMOKE'] = []
-
-CONFIG['BVT_ARC'] = []
-
-CONFIG['BVT_PERBUILD'] = []
-
-CONFIG['NEEDS_POWER_CYCLE'] = []
-
-CONFIG['HARDWARE_DEPENDENT_MODULES'] = []
-
-CONFIG['VMTEST_INFO_SUITES'] = collections.OrderedDict()
-
-# Modules that are known to download and/or push media file assets.
-CONFIG['MEDIA_MODULES'] = ['GtsYouTubeTestCases']
-CONFIG['NEEDS_PUSH_MEDIA'] = CONFIG['MEDIA_MODULES'] + [_ALL]
-CONFIG['ENABLE_DEFAULT_APPS'] = []
-
-# Preconditions applicable to public and internal tests.
-CONFIG['PRECONDITION'] = {}
-CONFIG['LOGIN_PRECONDITION'] = {}
-
-CONFIG['LAB_DEPENDENCY'] = {}
-
-# Preconditions applicable to public tests.
-CONFIG['PUBLIC_PRECONDITION'] = {}
-CONFIG['PUBLIC_DEPENDENCIES'] = {}
-
-# This information is changed based on regular analysis of the failure rate on
-# partner moblabs.
-CONFIG['PUBLIC_MODULE_RETRY_COUNT'] = {
-  _ALL: 2,
-  'GtsMediaTestCases': 5,  # TODO(b/140841434)
-  'GtsYouTubeTestCases': 5,  # TODO(b/149376356)
-}
-
-CONFIG['PUBLIC_OVERRIDE_TEST_PRIORITY'] = {
-    _PUBLIC_COLLECT: 70,
-}
-
-# This information is changed based on regular analysis of the job run time on
-# partner moblabs.
-
-CONFIG['OVERRIDE_TEST_LENGTH'] = {
-    'GtsMediaTestCases': 4,
-    _ALL: 4,
-    # Even though collect tests doesn't run very long, it must be the very first
-    # job executed inside of the suite. Hence it is the only 'LENGTHY' test.
-    _COLLECT: 5,  # LENGTHY
-}
-
-# Enabling --logcat-on-failure can extend total run time significantly if
-# individual tests finish in the order of 10ms or less (b/118836700). Specify
-# modules here to not enable the flag.
-CONFIG['DISABLE_LOGCAT_ON_FAILURE'] = set([])
-CONFIG['EXTRA_MODULES'] = {}
-CONFIG['PUBLIC_EXTRA_MODULES'] = {}
-CONFIG['EXTRA_SUBMODULE_OVERRIDE'] = {}
-CONFIG['EXTRA_COMMANDLINE'] = {}
-CONFIG['EXTRA_ATTRIBUTES'] = {
-    'tradefed-run-collect-tests-only-internal': ['suite:arc-gts'],
-}
-CONFIG['EXTRA_ARTIFACTS'] = {}
-
-CONFIG['PREREQUISITES'] = {
-    'GtsGmscoreHostTestCases': ['bluetooth'],
-}
-CONFIG['USE_JDK9'] = True
-
-from generate_controlfiles_common import main
-
-if __name__ == '__main__':
-    main(CONFIG)
diff --git a/server/cros/tradefed/generate_controlfiles_VTS_R.py b/server/cros/tradefed/generate_controlfiles_VTS_R.py
deleted file mode 100755
index 0f79e4c..0000000
--- a/server/cros/tradefed/generate_controlfiles_VTS_R.py
+++ /dev/null
@@ -1,150 +0,0 @@
-#!/usr/bin/env python2
-# Copyright 2020 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import collections
-
-from generate_controlfiles_common import main
-
-_ALL = 'all'
-
-CONFIG = {}
-
-CONFIG['TEST_NAME'] = 'cheets_VTS_R'
-CONFIG['DOC_TITLE'] = \
-    'Vendor Test Suite (VTS)'
-CONFIG['MOBLAB_SUITE_NAME'] = 'suite:android-vts'
-CONFIG['COPYRIGHT_YEAR'] = 2020
-CONFIG['AUTHKEY'] = ''
-
-CONFIG['LARGE_MAX_RESULT_SIZE'] = 1000 * 1024
-CONFIG['NORMAL_MAX_RESULT_SIZE'] = 500 * 1024
-
-CONFIG['TRADEFED_CTS_COMMAND'] = 'vts'
-CONFIG['TRADEFED_RETRY_COMMAND'] = 'retry'
-CONFIG['TRADEFED_DISABLE_REBOOT'] = False
-CONFIG['TRADEFED_DISABLE_REBOOT_ON_COLLECTION'] = True
-CONFIG['TRADEFED_MAY_SKIP_DEVICE_INFO'] = False
-CONFIG['TRADEFED_EXECUTABLE_PATH'] = 'android-vts/tools/vts-tradefed'
-
-CONFIG['TRADEFED_IGNORE_BUSINESS_LOGIC_FAILURE'] = False
-
-CONFIG['INTERNAL_SUITE_NAMES'] = ['suite:arc-cts-r']
-
-CONFIG['CONTROLFILE_TEST_FUNCTION_NAME'] = 'run_TS'
-CONFIG['CONTROLFILE_WRITE_SIMPLE_QUAL_AND_REGRESS'] = False  # True
-CONFIG['CONTROLFILE_WRITE_COLLECT'] = False
-CONFIG['CONTROLFILE_WRITE_CAMERA'] = False
-CONFIG['CONTROLFILE_WRITE_EXTRA'] = False
-
-# Do not change the name/tag without adjusting the dashboard.
-_COLLECT = 'tradefed-run-collect-tests-only-internal'
-_PUBLIC_COLLECT = 'tradefed-run-collect-tests-only'
-
-CONFIG['LAB_DEPENDENCY'] = {
-        'arm': ['cts_abi_arm'],
-        'arm64': ['cts_abi_arm'],
-        'x86': ['cts_abi_x86'],
-        'x86_64': ['cts_abi_x86'],
-}
-
-CONFIG['CTS_JOB_RETRIES_IN_PUBLIC'] = 1
-CONFIG['CTS_QUAL_RETRIES'] = 9
-CONFIG['CTS_MAX_RETRIES'] = {}
-
-# Timeout in hours.
-CONFIG['CTS_TIMEOUT_DEFAULT'] = 1.0
-CONFIG['CTS_TIMEOUT'] = {
-        _ALL: 5.0,
-        _COLLECT: 2.0,
-        _PUBLIC_COLLECT: 2.0,
-}
-
-# Any test that runs as part as blocking BVT needs to be stable and fast. For
-# this reason we enforce a tight timeout on these modules/jobs.
-# Timeout in hours. (0.1h = 6 minutes)
-CONFIG['BVT_TIMEOUT'] = 0.1
-
-CONFIG['QUAL_TIMEOUT'] = 5
-
-CONFIG['QUAL_BOOKMARKS'] = []
-
-CONFIG['SMOKE'] = []
-
-CONFIG['BVT_ARC'] = []
-
-CONFIG['BVT_PERBUILD'] = []
-
-CONFIG['NEEDS_POWER_CYCLE'] = []
-
-CONFIG['HARDWARE_DEPENDENT_MODULES'] = []
-
-# The suite is divided based on the run-time hint in the *.config file.
-CONFIG['VMTEST_INFO_SUITES'] = collections.OrderedDict()
-
-# Modules that are known to download and/or push media file assets.
-CONFIG['MEDIA_MODULES'] = []
-CONFIG['NEEDS_PUSH_MEDIA'] = []
-
-CONFIG['ENABLE_DEFAULT_APPS'] = []
-
-# Optional argument for filtering out unneeded modules.
-CONFIG['EXCLUDE_MODULES'] = [
-        'CtsIkeTestCases[secondary_user]', 'CtsIkeTestCases',
-        'CtsInstantAppTests', 'CtsInstantAppTests[secondary_user]',
-        'CtsPackageWatchdogTestCases[secondary_user]',
-        'CtsPackageWatchdogTestCases',
-        'CtsResourcesLoaderTests[secondary_user]', 'CtsResourcesLoaderTests',
-        'CtsUsbManagerTestCases[secondary_user]', 'CtsUsbManagerTestCases',
-        'CtsWindowManagerJetpackTestCases[secondary_user]',
-        'CtsWindowManagerJetpackTestCases', 'GtsPrivilegedUpdatePreparer',
-        'GtsUnofficialApisUsageTestCases'
-]
-
-# Preconditions applicable to public and internal tests.
-CONFIG['PRECONDITION'] = {}
-CONFIG['LOGIN_PRECONDITION'] = {}
-
-# Preconditions applicable to public tests.
-CONFIG['PUBLIC_PRECONDITION'] = {}
-
-CONFIG['PUBLIC_DEPENDENCIES'] = {}
-
-# This information is changed based on regular analysis of the failure rate on
-# partner moblabs.
-CONFIG['PUBLIC_MODULE_RETRY_COUNT'] = {
-        _PUBLIC_COLLECT: 0,
-}
-
-CONFIG['PUBLIC_OVERRIDE_TEST_PRIORITY'] = {
-        _PUBLIC_COLLECT: 70,
-}
-
-# This information is changed based on regular analysis of the job run time on
-# partner moblabs.
-
-CONFIG['OVERRIDE_TEST_LENGTH'] = {
-        # Even though collect tests doesn't run very long, it must be the very first
-        # job executed inside of the suite. Hence it is the only 'LENGTHY' test.
-        _COLLECT: 5,  # LENGTHY
-}
-
-CONFIG['DISABLE_LOGCAT_ON_FAILURE'] = set()
-CONFIG['EXTRA_MODULES'] = {}
-CONFIG['PUBLIC_EXTRA_MODULES'] = {}
-CONFIG['EXTRA_SUBMODULE_OVERRIDE'] = {}
-
-CONFIG['EXTRA_COMMANDLINE'] = {}
-
-CONFIG['EXTRA_ATTRIBUTES'] = {
-        'tradefed-run-collect-tests-only-internal': ['suite:arc-cts-r'],
-}
-
-CONFIG['EXTRA_ARTIFACTS'] = {}
-CONFIG['PREREQUISITES'] = {}
-
-CONFIG['USE_JDK9'] = True
-
-if __name__ == '__main__':
-    main(CONFIG)
diff --git a/server/cros/tradefed/generate_controlfiles_common.py b/server/cros/tradefed/generate_controlfiles_common.py
deleted file mode 100755
index 006bd1a..0000000
--- a/server/cros/tradefed/generate_controlfiles_common.py
+++ /dev/null
@@ -1,1398 +0,0 @@
-#!/usr/bin/env python2
-# Copyright 2019 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-from __future__ import print_function
-
-import argparse
-import contextlib
-import copy
-import logging
-import os
-import re
-import shutil
-import stat
-import subprocess
-import tempfile
-import textwrap
-import zipfile
-# Use 'sudo pip install jinja2' to install.
-from jinja2 import Template
-
-
-# TODO(ihf): Assign better TIME to control files. Scheduling uses this to run
-# LENGTHY first, then LONG, MEDIUM etc. But we need LENGTHY for the collect
-# job, downgrade all others. Make sure this still works in CQ/smoke suite.
-_CONTROLFILE_TEMPLATE = Template(
-        textwrap.dedent("""\
-    # Copyright {{year}} The Chromium OS Authors. All rights reserved.
-    # Use of this source code is governed by a BSD-style license that can be
-    # found in the LICENSE file.
-
-    # This file has been automatically generated. Do not edit!
-    {%- if servo_support_needed %}
-
-    from autotest_lib.server import utils
-
-    {%- endif %}
-
-    AUTHOR = 'ARC++ Team'
-    NAME = '{{name}}'
-    ATTRIBUTES = '{{attributes}}'
-    DEPENDENCIES = '{{dependencies}}'
-    JOB_RETRIES = {{job_retries}}
-    TEST_TYPE = 'server'
-    TIME = '{{test_length}}'
-    MAX_RESULT_SIZE_KB = {{max_result_size_kb}}
-    {%- if sync_count and sync_count > 1 %}
-    SYNC_COUNT = {{sync_count}}
-    {%- endif %}
-    {%- if priority %}
-    PRIORITY = {{priority}}
-    {%- endif %}
-    DOC = '{{DOC}}'
-    {%- if servo_support_needed %}
-
-    # For local debugging, if your test setup doesn't have servo, REMOVE these
-    # two lines.
-    args_dict = utils.args_to_dict(args)
-    servo_args = hosts.CrosHost.get_servo_arguments(args_dict)
-
-    {%- endif %}
-    {% if sync_count and sync_count > 1 %}
-    from autotest_lib.server import utils as server_utils
-    def {{test_func_name}}(ntuples):
-        host_list = [hosts.create_host(machine) for machine in ntuples]
-    {% else %}
-    def {{test_func_name}}(machine):
-        {%- if servo_support_needed %}
-        # REMOVE 'servo_args=servo_args' arg for local debugging if your test
-        # setup doesn't have servo.
-        try:
-            host_list = [hosts.create_host(machine, servo_args=servo_args)]
-        except:
-            # Just ignore any servo setup flakiness.
-            host_list = [hosts.create_host(machine)]
-        {%- else %}
-        host_list = [hosts.create_host(machine)]
-        {%- endif %}
-    {%- endif %}
-        job.run_test(
-            '{{base_name}}',
-    {%- if camera_facing %}
-            camera_facing='{{camera_facing}}',
-            cmdline_args=args,
-    {%- endif %}
-            hosts=host_list,
-            iterations=1,
-    {%- if max_retries != None %}
-            max_retry={{max_retries}},
-    {%- endif %}
-    {%- if enable_default_apps %}
-            enable_default_apps=True,
-    {%- endif %}
-    {%- if needs_push_media %}
-            needs_push_media={{needs_push_media}},
-    {%- endif %}
-    {%- if needs_cts_helpers %}
-            use_helpers={{needs_cts_helpers}},
-    {%- endif %}
-            tag='{{tag}}',
-            test_name='{{name}}',
-    {%- if authkey %}
-            authkey='{{authkey}}',
-    {%- endif %}
-            run_template={{run_template}},
-            retry_template={{retry_template}},
-            target_module={% if target_module %}'{{target_module}}'{% else %}None{%endif%},
-            target_plan={% if target_plan %}'{{target_plan}}'{% else %}None{% endif %},
-    {%- if abi %}
-            bundle='{{abi}}',
-    {%- endif %}
-    {%- if extra_artifacts %}
-            extra_artifacts={{extra_artifacts}},
-    {%- endif %}
-    {%- if extra_artifacts_host %}
-            extra_artifacts_host={{extra_artifacts_host}},
-    {%- endif %}
-    {%- if uri %}
-            uri='{{uri}}',
-    {%- endif %}
-    {%- for arg in extra_args %}
-            {{arg}},
-    {%- endfor %}
-    {%- if servo_support_needed %}
-            hard_reboot_on_failure=True,
-    {%- endif %}
-    {%- if camera_facing %}
-            load_waivers=False,
-    {%- endif %}
-            timeout={{timeout}})
-
-    {% if sync_count and sync_count > 1 -%}
-    ntuples, failures = server_utils.form_ntuples_from_machines(machines,
-                                                                SYNC_COUNT)
-    # Use log=False in parallel_simple to avoid an exception in setting up
-    # the incremental parser when SYNC_COUNT > 1.
-    parallel_simple({{test_func_name}}, ntuples, log=False)
-    {% else -%}
-    parallel_simple({{test_func_name}}, machines)
-    {% endif %}
-"""))
-
-CONFIG = None
-
-_COLLECT = 'tradefed-run-collect-tests-only-internal'
-_PUBLIC_COLLECT = 'tradefed-run-collect-tests-only'
-
-_TEST_LENGTH = {1: 'FAST', 2: 'SHORT', 3: 'MEDIUM', 4: 'LONG', 5: 'LENGTHY'}
-
-_ALL = 'all'
-
-
-def get_tradefed_build(line):
-    """Gets the build of Android CTS from tradefed.
-
-    @param line Tradefed identification output on startup. Example:
-                Android Compatibility Test Suite 7.0 (3423912)
-    @return Tradefed CTS build. Example: 2813453.
-    """
-    # Sample string:
-    # - Android Compatibility Test Suite 7.0 (3423912)
-    # - Android Compatibility Test Suite for Instant Apps 1.0 (4898911)
-    # - Android Google Mobile Services (GMS) Test Suite 6.0_r1 (4756896)
-    m = re.search(r' \((.*)\)', line)
-    if m:
-        return m.group(1)
-    logging.warning('Could not identify build in line "%s".', line)
-    return '<unknown>'
-
-
-def get_tradefed_revision(line):
-    """Gets the revision of Android CTS from tradefed.
-
-    @param line Tradefed identification output on startup.
-                Example:
-                 Android Compatibility Test Suite 6.0_r6 (2813453)
-                 Android Compatibility Test Suite for Instant Apps 1.0 (4898911)
-    @return Tradefed CTS revision. Example: 6.0_r6.
-    """
-    tradefed_identifier_list = [
-            r'Android Google Mobile Services \(GMS\) Test Suite (.*) \(',
-            r'Android Compatibility Test Suite(?: for Instant Apps)? (.*) \(',
-            r'Android Vendor Test Suite (.*) \(',
-            r'Android Security Test Suite (.*) \('
-    ]
-
-    for identifier in tradefed_identifier_list:
-        m = re.search(identifier, line)
-        if m:
-            return m.group(1)
-
-    logging.warning('Could not identify revision in line "%s".', line)
-    return None
-
-
-def get_bundle_abi(filename):
-    """Makes an educated guess about the ABI.
-
-    In this case we chose to guess by filename, but we could also parse the
-    xml files in the module. (Maybe this needs to be done in the future.)
-    """
-    if CONFIG.get('SINGLE_CONTROL_FILE'):
-        return None
-    if filename.endswith('arm.zip'):
-        return 'arm'
-    if filename.endswith('arm64.zip'):
-        return 'arm64'
-    if filename.endswith('x86.zip'):
-        return 'x86'
-    if filename.endswith('x86_64.zip'):
-        return 'x86_64'
-
-    assert(CONFIG['TRADEFED_CTS_COMMAND'] =='gts'), 'Only GTS has empty ABI'
-    return ''
-
-
-def get_extension(module,
-                  abi,
-                  revision,
-                  is_public=False,
-                  led_provision=None,
-                  camera_facing=None,
-                  abi_bits=None):
-    """Defines a unique string.
-
-    Notice we chose module revision first, then abi, as the module revision
-    changes regularly. This ordering makes it simpler to add/remove modules.
-    @param module: CTS module which will be tested in the control file. If 'all'
-                   is specified, the control file will runs all the tests.
-    @param public: boolean variable to specify whether or not the bundle is from
-                   public source or not.
-    @param led_provision: string or None indicate whether the camerabox has led
-                          light or not.
-    @param camera_facing: string or None indicate whether it's camerabox tests
-                          for specific camera facing or not.
-    @param abi_bits: 32 or 64 or None indicate the bitwidth for the specific
-                     abi to run.
-    @return string: unique string for specific tests. If public=True then the
-                    string is "<abi>.<module>", otherwise, the unique string is
-                    "<revision>.<abi>.<module>". Note that if abi is empty, the
-                    abi part is omitted.
-    """
-    ext_parts = []
-    if not CONFIG.get('SINGLE_CONTROL_FILE') and not is_public:
-        ext_parts = [revision]
-    if not CONFIG.get('SINGLE_CONTROL_FILE') and abi:
-        ext_parts += [abi]
-    ext_parts += [module]
-    if led_provision:
-        ext_parts += [led_provision]
-    if camera_facing:
-        ext_parts += ['camerabox', camera_facing]
-    if not CONFIG.get('SINGLE_CONTROL_FILE') and abi and abi_bits:
-        ext_parts += [str(abi_bits)]
-    return '.'.join(ext_parts)
-
-
-def get_doc(modules, abi, is_public):
-    """Defines the control file DOC string."""
-    if modules.intersection(get_collect_modules(is_public)) or CONFIG.get(
-            'SINGLE_CONTROL_FILE'):
-        module_text = 'all'
-    else:
-        # Generate per-module DOC
-        module_text = 'module ' + ', '.join(sorted(list(modules)))
-
-    abi_text = (' using %s ABI' % abi) if abi else ''
-
-    doc = ('Run %s of the %s%s in the ARC++ container.'
-           % (module_text, CONFIG['DOC_TITLE'], abi_text))
-    return doc
-
-
-def servo_support_needed(modules, is_public=True):
-    """Determines if servo support is needed for a module."""
-    return not is_public and all(module in CONFIG['NEEDS_POWER_CYCLE']
-                                 for module in modules)
-
-
-def get_controlfile_name(module,
-                         abi,
-                         revision,
-                         is_public=False,
-                         led_provision=None,
-                         camera_facing=None,
-                         abi_bits=None):
-    """Defines the control file name.
-
-    @param module: CTS module which will be tested in the control file. If 'all'
-                   is specified, the control file will runs all the tests.
-    @param public: boolean variable to specify whether or not the bundle is from
-                   public source or not.
-    @param camera_facing: string or None indicate whether it's camerabox tests
-                          for specific camera facing or not.
-    @param led_provision: string or None indicate whether the camerabox has led
-                          light or not.
-    @param abi_bits: 32 or 64 or None indicate the bitwidth for the specific
-                     abi to run.
-    @return string: control file for specific tests. If public=True or
-                    module=all, then the name will be "control.<abi>.<module>",
-                    otherwise, the name will be
-                    "control.<revision>.<abi>.<module>".
-    """
-    return 'control.%s' % get_extension(module, abi, revision, is_public,
-                                        led_provision, camera_facing, abi_bits)
-
-
-def get_sync_count(_modules, _abi, _is_public):
-    return 1
-
-
-def get_suites(modules, abi, is_public, camera_facing=None):
-    """Defines the suites associated with a module.
-
-    @param module: CTS module which will be tested in the control file. If 'all'
-                   is specified, the control file will runs all the tests.
-    # TODO(ihf): Make this work with the "all" and "collect" generation,
-    # which currently bypass this function.
-    """
-    if is_public:
-        # On moblab everything runs in the same suite.
-        return [CONFIG['MOBLAB_SUITE_NAME']]
-
-    suites = set(CONFIG['INTERNAL_SUITE_NAMES'])
-
-    for module in modules:
-        if module in get_collect_modules(is_public):
-            # We collect all tests both in arc-gts and arc-gts-qual as both have
-            # a chance to be complete (and used for submission).
-            suites |= set(CONFIG['QUAL_SUITE_NAMES'])
-        if module in CONFIG['EXTRA_ATTRIBUTES']:
-            # Special cases come with their own suite definitions.
-            suites |= set(CONFIG['EXTRA_ATTRIBUTES'][module])
-        if module in CONFIG['SMOKE'] and (abi == 'arm' or abi == ''):
-            # Handle VMTest by adding a few jobs to suite:smoke.
-            suites.add('suite:smoke')
-        if module in CONFIG['HARDWARE_DEPENDENT_MODULES']:
-            # CTS modules to be run on all unibuild models.
-            suites.add('suite:arc-cts-unibuild-hw')
-        if abi == 'x86':
-            # Handle a special builder for running all of CTS in a betty VM.
-            # TODO(ihf): figure out if this builder is still alive/needed.
-            vm_suite = None
-            for suite in CONFIG['VMTEST_INFO_SUITES']:
-                if not vm_suite:
-                    vm_suite = suite
-                if module in CONFIG['VMTEST_INFO_SUITES'][suite]:
-                    vm_suite = suite
-            if vm_suite is not None:
-                suites.add('suite:%s' % vm_suite)
-        # One or two modules hould be in suite:bvt-arc to cover CQ/PFQ. A few
-        # spare/fast modules can run in suite:bvt-perbuild in case we need a
-        # replacement for the module in suite:bvt-arc (integration test for
-        # cheets_CTS only, not a correctness test for CTS content).
-        if module in CONFIG['BVT_ARC'] and (abi == 'arm' or abi == ''):
-            suites.add('suite:bvt-arc')
-        elif module in CONFIG['BVT_PERBUILD'] and (abi == 'arm' or abi == ''):
-            suites.add('suite:bvt-perbuild')
-
-    if camera_facing != None:
-        suites.add('suite:arc-cts-camera')
-
-    return sorted(list(suites))
-
-
-def get_dependencies(modules, abi, is_public, led_provision, camera_facing):
-    """Defines lab dependencies needed to schedule a module.
-
-    @param module: CTS module which will be tested in the control file. If 'all'
-                   is specified, the control file will runs all the tests.
-    @param abi: string that specifies the application binary interface of the
-                current test.
-    @param is_public: boolean variable to specify whether or not the bundle is
-                      from public source or not.
-    @param led_provision: specify if led is provisioned in the camerabox setup. 'noled' when
-                          there is no led light in the box and 'led' otherwise.
-    @param camera_facing: specify requirement of camerabox setup with target
-                          test camera facing. Set to None if it's not camerabox
-                          related test.
-    """
-    dependencies = ['arc']
-    if abi in CONFIG['LAB_DEPENDENCY']:
-        dependencies += CONFIG['LAB_DEPENDENCY'][abi]
-
-    if led_provision is not None:
-        dependencies.append('camerabox_light:'+led_provision)
-
-    if camera_facing is not None:
-        dependencies.append('camerabox_facing:'+camera_facing)
-
-    for module in modules:
-        if is_public and module in CONFIG['PUBLIC_DEPENDENCIES']:
-            dependencies.extend(CONFIG['PUBLIC_DEPENDENCIES'][module])
-
-    return ', '.join(dependencies)
-
-
-def get_job_retries(modules, is_public, suites):
-    """Define the number of job retries associated with a module.
-
-    @param module: CTS module which will be tested in the control file. If a
-                   special module is specified, the control file will runs all
-                   the tests without retry.
-    @param is_public: true if the control file is for moblab (public) use.
-    @param suites: the list of suites that the control file belongs to.
-    """
-    # TODO(haddowk): remove this when cts p has stabalized.
-    if is_public:
-        return CONFIG['CTS_JOB_RETRIES_IN_PUBLIC']
-    # Presubmit check forces to set 2 or more retries for CQ tests.
-    if 'suite:bvt-arc' in suites:
-        return 2
-    retries = 1  # 0 is NO job retries, 1 is one retry etc.
-    for module in modules:
-        # We don't want job retries for module collection or special cases.
-        if (module in get_collect_modules(is_public) or module == _ALL or
-            ('CtsDeqpTestCases' in CONFIG['EXTRA_MODULES'] and
-             module in CONFIG['EXTRA_MODULES']['CtsDeqpTestCases']['SUBMODULES']
-             )):
-            retries = 0
-    return retries
-
-
-def get_max_retries(modules, abi, suites, is_public):
-    """Partners experiance issues where some modules are flaky and require more
-
-       retries.  Calculate the retry number per module on moblab.
-    @param module: CTS module which will be tested in the control file.
-    """
-    retry = -1
-    if is_public:
-        if _ALL in CONFIG['PUBLIC_MODULE_RETRY_COUNT']:
-            retry = CONFIG['PUBLIC_MODULE_RETRY_COUNT'][_ALL]
-
-        # In moblab at partners we may need many more retries than in lab.
-        for module in modules:
-            if module in CONFIG['PUBLIC_MODULE_RETRY_COUNT']:
-                retry = max(retry, CONFIG['PUBLIC_MODULE_RETRY_COUNT'][module])
-    else:
-        # See if we have any special values for the module, chose the largest.
-        for module in modules:
-            if module in CONFIG['CTS_MAX_RETRIES']:
-                retry = max(retry, CONFIG['CTS_MAX_RETRIES'][module])
-
-    # Ugly overrides.
-    # In bvt we don't want to hold the CQ/PFQ too long.
-    if 'suite:bvt-arc' in suites:
-        retry = 3
-    # Not strict as CQ for bvt-perbuild. Let per-module config take priority.
-    if retry == -1 and 'suite:bvt-perbuild' in suites:
-        retry = 3
-    # During qualification we want at least 9 retries, possibly more.
-    # TODO(kinaba&yoshiki): do not abuse suite names
-    if CONFIG.get('QUAL_SUITE_NAMES') and \
-            set(CONFIG['QUAL_SUITE_NAMES']) & set(suites):
-        retry = max(retry, CONFIG['CTS_QUAL_RETRIES'])
-    # Collection should never have a retry. This needs to be last.
-    if modules.intersection(get_collect_modules(is_public)):
-        retry = 0
-
-    if retry >= 0:
-        return retry
-    # Default case omits the retries in the control file, so tradefed_test.py
-    # can chose its own value.
-    return None
-
-
-def get_max_result_size_kb(modules, is_public):
-    """Returns the maximum expected result size in kB for autotest.
-
-    @param modules: List of CTS modules to be tested by the control file.
-    """
-    for module in modules:
-        if (module in get_collect_modules(is_public) or
-            module == 'CtsDeqpTestCases'):
-            # CTS tests and dump logs for android-cts.
-            return CONFIG['LARGE_MAX_RESULT_SIZE']
-    # Individual module normal produces less results than all modules.
-    return CONFIG['NORMAL_MAX_RESULT_SIZE']
-
-
-def get_extra_args(modules, is_public):
-    """Generate a list of extra arguments to pass to the test.
-
-    Some params are specific to a particular module, particular mode or
-    combination of both, generate a list of arguments to pass into the template.
-
-    @param modules: List of CTS modules to be tested by the control file.
-    """
-    extra_args = set()
-    preconditions = []
-    login_preconditions = []
-    prerequisites = []
-    for module in modules:
-        # Remove this once JDK9 is the base JDK for lab.
-        if CONFIG.get('USE_JDK9', False):
-            extra_args.add('use_jdk9=True')
-        if module in CONFIG.get('USE_OLD_ADB', []):
-            extra_args.add('use_old_adb=True')
-        if is_public:
-            extra_args.add('warn_on_test_retry=False')
-            extra_args.add('retry_manual_tests=True')
-            preconditions.extend(CONFIG['PUBLIC_PRECONDITION'].get(module, []))
-        else:
-            preconditions.extend(CONFIG['PRECONDITION'].get(module, []))
-            login_preconditions.extend(
-                CONFIG['LOGIN_PRECONDITION'].get(module, []))
-            prerequisites.extend(CONFIG['PREREQUISITES'].get(module,[]))
-
-    # Notice: we are just squishing the preconditions for all modules together
-    # with duplicated command removed. This may not always be correct.
-    # In such a case one should split the bookmarks in a way that the modules
-    # with conflicting preconditions end up in separate control files.
-    def deduped(lst):
-        """Keep only the first occurrence of each element."""
-        return [e for i, e in enumerate(lst) if e not in lst[0:i]]
-
-    if preconditions:
-        # To properly escape the public preconditions we need to format the list
-        # manually using join.
-        extra_args.add('precondition_commands=[%s]' % ', '.join(
-            deduped(preconditions)))
-    if login_preconditions:
-        extra_args.add('login_precondition_commands=[%s]' % ', '.join(
-            deduped(login_preconditions)))
-    if prerequisites:
-        extra_args.add("prerequisites=['%s']" % "', '".join(
-            deduped(prerequisites)))
-    return sorted(list(extra_args))
-
-
-def get_test_length(modules):
-    """ Calculate the test length based on the module name.
-
-    To better optimize DUT's connected to moblab, it is better to run the
-    longest tests and tests that require limited resources.  For these modules
-    override from the default test length.
-
-    @param module: CTS module which will be tested in the control file. If 'all'
-                   is specified, the control file will runs all the tests.
-
-    @return string: one of the specified test lengths:
-                    ['FAST', 'SHORT', 'MEDIUM', 'LONG', 'LENGTHY']
-    """
-    length = 3  # 'MEDIUM'
-    for module in modules:
-        if module in CONFIG['OVERRIDE_TEST_LENGTH']:
-            length = max(length, CONFIG['OVERRIDE_TEST_LENGTH'][module])
-    return _TEST_LENGTH[length]
-
-
-def get_test_priority(modules, is_public):
-    """ Calculate the test priority based on the module name.
-
-    On moblab run all long running tests and tests that have some unique
-    characteristic at a higher priority (50).
-
-    This optimizes the total run time of the suite assuring the shortest
-    time between suite kick off and 100% complete.
-
-    @param module: CTS module which will be tested in the control file.
-
-    @return int: 0 if priority not to be overridden, or priority number otherwise.
-    """
-    if not is_public:
-        return 0
-
-    priority = 0
-    overide_test_priority_dict = CONFIG.get('PUBLIC_OVERRIDE_TEST_PRIORITY', {})
-    for module in modules:
-        if module in overide_test_priority_dict:
-            priority = max(priority, overide_test_priority_dict[module])
-        elif (module in CONFIG['OVERRIDE_TEST_LENGTH'] or
-                module in CONFIG['PUBLIC_DEPENDENCIES'] or
-                module in CONFIG['PUBLIC_PRECONDITION'] or
-                module.split('.')[0] in CONFIG['OVERRIDE_TEST_LENGTH']):
-            priority = max(priority, 50)
-    return priority
-
-
-def get_authkey(is_public):
-    if is_public or not CONFIG['AUTHKEY']:
-        return None
-    return CONFIG['AUTHKEY']
-
-
-def _format_collect_cmd(is_public, abi_to_run, retry):
-    """Returns a list specifying tokens for tradefed to list all tests."""
-    if retry:
-        return None
-    cmd = ['run', 'commandAndExit', 'collect-tests-only']
-    if CONFIG['TRADEFED_DISABLE_REBOOT_ON_COLLECTION']:
-        cmd += ['--disable-reboot']
-    for m in CONFIG['MEDIA_MODULES']:
-        cmd.append('--module-arg')
-        cmd.append('%s:skip-media-download:true' % m)
-    if (not is_public and
-            not CONFIG.get('NEEDS_DYNAMIC_CONFIG_ON_COLLECTION', True)):
-        cmd.append('--dynamic-config-url=')
-    if abi_to_run:
-        cmd += ['--abi', abi_to_run]
-    return cmd
-
-
-def _get_special_command_line(modules, _is_public):
-    """This function allows us to split a module like Deqp into segments."""
-    cmd = []
-    for module in sorted(modules):
-        cmd += CONFIG['EXTRA_COMMANDLINE'].get(module, [])
-    return cmd
-
-
-def _format_modules_cmd(is_public,
-                        abi_to_run,
-                        modules=None,
-                        retry=False,
-                        whole_module_set=None):
-    """Returns list of command tokens for tradefed."""
-    if retry:
-        assert(CONFIG['TRADEFED_RETRY_COMMAND'] == 'cts' or
-               CONFIG['TRADEFED_RETRY_COMMAND'] == 'retry')
-
-        cmd = ['run', 'commandAndExit', CONFIG['TRADEFED_RETRY_COMMAND'],
-               '--retry', '{session_id}']
-    else:
-        # For runs create a logcat file for each individual failure.
-        cmd = ['run', 'commandAndExit', CONFIG['TRADEFED_CTS_COMMAND']]
-
-        special_cmd = _get_special_command_line(modules, is_public)
-        if special_cmd:
-            cmd.extend(special_cmd)
-        elif _ALL in modules:
-            pass
-        elif len(modules) == 1:
-            cmd += ['--module', list(modules)[0]]
-        else:
-            if whole_module_set is None:
-                assert (CONFIG['TRADEFED_CTS_COMMAND'] != 'cts-instant'), \
-                       'cts-instant cannot include multiple modules'
-                # We run each module with its own --include-filter option.
-                # https://source.android.com/compatibility/cts/run
-                for module in sorted(modules):
-                    cmd += ['--include-filter', module]
-            else:
-                # CTS-Instant does not support --include-filter due to
-                # its implementation detail. Instead, exclude the complement.
-                for module in whole_module_set - set(modules):
-                    cmd += ['--exclude-filter', module]
-
-        # For runs create a logcat file for each individual failure.
-        # Not needed on moblab, nobody is going to look at them.
-        if (not modules.intersection(CONFIG['DISABLE_LOGCAT_ON_FAILURE']) and
-            not is_public and
-            CONFIG['TRADEFED_CTS_COMMAND'] != 'gts'):
-            cmd.append('--logcat-on-failure')
-
-        if CONFIG['TRADEFED_IGNORE_BUSINESS_LOGIC_FAILURE']:
-            cmd.append('--ignore-business-logic-failure')
-
-    if CONFIG['TRADEFED_DISABLE_REBOOT']:
-        cmd.append('--disable-reboot')
-    if (CONFIG['TRADEFED_MAY_SKIP_DEVICE_INFO'] and
-        not (modules.intersection(CONFIG['BVT_ARC'] + CONFIG['SMOKE'] +
-             CONFIG['NEEDS_DEVICE_INFO']))):
-        cmd.append('--skip-device-info')
-    if abi_to_run:
-        cmd += ['--abi', abi_to_run]
-    # If NEEDS_DYNAMIC_CONFIG is set, disable the feature except on the modules
-    # that explicitly set as needed.
-    if (not is_public and CONFIG.get('NEEDS_DYNAMIC_CONFIG') and
-            not modules.intersection(CONFIG['NEEDS_DYNAMIC_CONFIG'])):
-        cmd.append('--dynamic-config-url=')
-
-    return cmd
-
-
-def get_run_template(modules,
-                     is_public,
-                     retry=False,
-                     abi_to_run=None,
-                     whole_module_set=None):
-    """Command to run the modules specified by a control file."""
-    no_intersection = not modules.intersection(get_collect_modules(is_public))
-    collect_present = (_COLLECT in modules or _PUBLIC_COLLECT in modules)
-    all_present = _ALL in modules
-    if no_intersection or (all_present and not collect_present):
-        return _format_modules_cmd(is_public,
-                                   abi_to_run,
-                                   modules,
-                                   retry=retry,
-                                   whole_module_set=whole_module_set)
-    elif collect_present:
-        return _format_collect_cmd(is_public, abi_to_run, retry=retry)
-    return None
-
-def get_retry_template(modules, is_public):
-    """Command to retry the failed modules as specified by a control file."""
-    return get_run_template(modules, is_public, retry=True)
-
-
-def get_extra_modules_dict(is_public, abi):
-    if not is_public:
-        return CONFIG['EXTRA_MODULES']
-
-    extra_modules = copy.deepcopy(CONFIG['PUBLIC_EXTRA_MODULES'])
-    if abi in CONFIG['EXTRA_SUBMODULE_OVERRIDE']:
-        for _, submodules in extra_modules.items():
-            for old, news in CONFIG['EXTRA_SUBMODULE_OVERRIDE'][abi].items():
-                submodules.remove(old)
-                submodules.extend(news)
-    return {
-        module: {
-            'SUBMODULES': submodules,
-            'SUITES': [CONFIG['MOBLAB_SUITE_NAME']],
-        } for module, submodules in extra_modules.items()
-    }
-
-
-def get_extra_artifacts(modules):
-    artifacts = []
-    for module in modules:
-        if module in CONFIG['EXTRA_ARTIFACTS']:
-            artifacts += CONFIG['EXTRA_ARTIFACTS'][module]
-    return artifacts
-
-
-def get_extra_artifacts_host(modules):
-    if not 'EXTRA_ARTIFACTS_HOST' in CONFIG:
-        return
-
-    artifacts = []
-    for module in modules:
-        if module in CONFIG['EXTRA_ARTIFACTS_HOST']:
-            artifacts += CONFIG['EXTRA_ARTIFACTS_HOST'][module]
-    return artifacts
-
-
-def calculate_timeout(modules, suites):
-    """Calculation for timeout of tradefed run.
-
-    Timeout is at least one hour, except if part of BVT_ARC.
-    Notice these do get adjusted dynamically by number of ABIs on the DUT.
-    """
-    if 'suite:bvt-arc' in suites:
-        return int(3600 * CONFIG['BVT_TIMEOUT'])
-    if CONFIG.get('QUAL_SUITE_NAMES') and \
-            CONFIG.get('QUAL_TIMEOUT') and \
-            ((set(CONFIG['QUAL_SUITE_NAMES']) & set(suites)) and \
-            not (_COLLECT in modules or _PUBLIC_COLLECT in modules)):
-        return int(3600 * CONFIG['QUAL_TIMEOUT'])
-
-    timeout = 0
-    # First module gets 1h (standard), all other half hour extra (heuristic).
-    default_timeout = int(3600 * CONFIG['CTS_TIMEOUT_DEFAULT'])
-    delta = default_timeout
-    for module in modules:
-        if module in CONFIG['CTS_TIMEOUT']:
-            # Modules that run very long are encoded here.
-            timeout += int(3600 * CONFIG['CTS_TIMEOUT'][module])
-        elif module.startswith('CtsDeqpTestCases.dEQP-VK.'):
-            # TODO: Optimize this temporary hack by reducing this value or
-            # setting appropriate values for each test if possible.
-            timeout = max(timeout, int(3600 * 12))
-        elif 'Jvmti' in module:
-            # We have too many of these modules and they run fast.
-            timeout += 300
-        else:
-            timeout += delta
-            delta = default_timeout // 2
-    return timeout
-
-
-def needs_push_media(modules):
-    """Oracle to determine if to push several GB of media files to DUT."""
-    if modules.intersection(set(CONFIG['NEEDS_PUSH_MEDIA'])):
-        return True
-    return False
-
-
-def needs_cts_helpers(modules):
-    """Oracle to determine if CTS helpers should be downloaded from DUT."""
-    if 'NEEDS_CTS_HELPERS' not in CONFIG:
-        return False
-    if modules.intersection(set(CONFIG['NEEDS_CTS_HELPERS'])):
-        return True
-    return False
-
-
-def enable_default_apps(modules):
-    """Oracle to determine if to enable default apps (eg. Files.app)."""
-    if modules.intersection(set(CONFIG['ENABLE_DEFAULT_APPS'])):
-        return True
-    return False
-
-
-def get_controlfile_content(combined,
-                            modules,
-                            abi,
-                            revision,
-                            build,
-                            uri,
-                            suites=None,
-                            is_public=False,
-                            is_latest=False,
-                            abi_bits=None,
-                            led_provision=None,
-                            camera_facing=None,
-                            whole_module_set=None):
-    """Returns the text inside of a control file.
-
-    @param combined: name to use for this combination of modules.
-    @param modules: set of CTS modules which will be tested in the control
-                   file. If 'all' is specified, the control file will run
-                   all the tests.
-    """
-    # We tag results with full revision now to get result directories containing
-    # the revision. This fits stainless/ better.
-    tag = '%s' % get_extension(combined, abi, revision, is_public,
-                               led_provision, camera_facing, abi_bits)
-    # For test_that the NAME should be the same as for the control file name.
-    # We could try some trickery here to get shorter extensions for a default
-    # suite/ARM. But with the monthly uprevs this will quickly get confusing.
-    name = '%s.%s' % (CONFIG['TEST_NAME'], tag)
-    if not suites:
-        suites = get_suites(modules, abi, is_public, camera_facing)
-    attributes = ', '.join(suites)
-    uri = 'LATEST' if is_latest else (None if is_public else uri)
-    target_module = None
-    if (combined not in get_collect_modules(is_public) and combined != _ALL):
-        target_module = combined
-    for target, config in get_extra_modules_dict(is_public, abi).items():
-        if combined in config['SUBMODULES']:
-            target_module = target
-    abi_to_run = {
-            ("arm", 32): 'armeabi-v7a',
-            ("arm", 64): 'arm64-v8a',
-            ("x86", 32): 'x86',
-            ("x86", 64): 'x86_64'
-    }.get((abi, abi_bits), None)
-    return _CONTROLFILE_TEMPLATE.render(
-            year=CONFIG['COPYRIGHT_YEAR'],
-            name=name,
-            base_name=CONFIG['TEST_NAME'],
-            test_func_name=CONFIG['CONTROLFILE_TEST_FUNCTION_NAME'],
-            attributes=attributes,
-            dependencies=get_dependencies(modules, abi, is_public,
-                                          led_provision, camera_facing),
-            extra_artifacts=get_extra_artifacts(modules),
-            extra_artifacts_host=get_extra_artifacts_host(modules),
-            job_retries=get_job_retries(modules, is_public, suites),
-            max_result_size_kb=get_max_result_size_kb(modules, is_public),
-            revision=revision,
-            build=build,
-            abi=abi,
-            needs_push_media=needs_push_media(modules),
-            needs_cts_helpers=needs_cts_helpers(modules),
-            enable_default_apps=enable_default_apps(modules),
-            tag=tag,
-            uri=uri,
-            DOC=get_doc(modules, abi, is_public),
-            servo_support_needed=servo_support_needed(modules, is_public),
-            max_retries=get_max_retries(modules, abi, suites, is_public),
-            timeout=calculate_timeout(modules, suites),
-            run_template=get_run_template(modules,
-                                          is_public,
-                                          abi_to_run=CONFIG.get(
-                                                  'REPRESENTATIVE_ABI',
-                                                  {}).get(abi, abi_to_run),
-                                          whole_module_set=whole_module_set),
-            retry_template=get_retry_template(modules, is_public),
-            target_module=target_module,
-            target_plan=None,
-            test_length=get_test_length(modules),
-            priority=get_test_priority(modules, is_public),
-            extra_args=get_extra_args(modules, is_public),
-            authkey=get_authkey(is_public),
-            sync_count=get_sync_count(modules, abi, is_public),
-            camera_facing=camera_facing)
-
-
-def get_tradefed_data(path, is_public, abi):
-    """Queries tradefed to provide us with a list of modules.
-
-    Notice that the parsing gets broken at times with major new CTS drops.
-    """
-    tradefed = os.path.join(path, CONFIG['TRADEFED_EXECUTABLE_PATH'])
-    # Forgive me for I have sinned. Same as: chmod +x tradefed.
-    os.chmod(tradefed, os.stat(tradefed).st_mode | stat.S_IEXEC)
-    cmd_list = [tradefed, 'list', 'modules']
-    logging.info('Calling tradefed for list of modules.')
-    with open(os.devnull, 'w') as devnull:
-        # tradefed terminates itself if stdin is not a tty.
-        tradefed_output = subprocess.check_output(cmd_list, stdin=devnull)
-
-    # TODO(ihf): Get a tradefed command which terminates then refactor.
-    p = subprocess.Popen(cmd_list, stdout=subprocess.PIPE)
-    modules = set()
-    build = '<unknown>'
-    line = ''
-    revision = None
-    is_in_intaractive_mode = True
-    # The process does not terminate, but we know the last test is vm-tests-tf.
-    while True:
-        line = p.stdout.readline().strip()
-        # Android Compatibility Test Suite 7.0 (3423912)
-        if (line.startswith('Android Compatibility Test Suite ')
-                    or line.startswith('Android Google ')
-                    or line.startswith('Android Vendor Test Suite')
-                    or line.startswith('Android Security Test Suite')):
-            logging.info('Unpacking: %s.', line)
-            build = get_tradefed_build(line)
-            revision = get_tradefed_revision(line)
-        elif line.startswith('Non-interactive mode: '):
-            is_in_intaractive_mode = False
-        elif line.startswith('arm') or line.startswith('x86'):
-            # Newer CTS shows ABI-module pairs like "arm64-v8a CtsNetTestCases"
-            line = line.split()[1]
-            if line not in CONFIG.get('EXCLUDE_MODULES', []):
-                modules.add(line)
-        elif line.startswith('Cts'):
-            modules.add(line)
-        elif line.startswith('Gts'):
-            # Older GTS plainly lists the module names
-            modules.add(line)
-        elif line.startswith('Sts'):
-            modules.add(line)
-        elif line.startswith('cts-'):
-            modules.add(line)
-        elif line.startswith('signed-Cts'):
-            modules.add(line)
-        elif line.startswith('vm-tests-tf'):
-            modules.add(line)
-            break  # TODO(ihf): Fix using this as EOS.
-        elif not line:
-            exit_code = p.poll()
-            if exit_code is not None:
-                # The process has automatically exited.
-                if is_in_intaractive_mode or exit_code != 0:
-                    # The process exited unexpectedly in interactive mode,
-                    # or exited with error in non-interactive mode.
-                    logging.warning(
-                        'The process has exited unexpectedly (exit code: %d)',
-                        exit_code)
-                    modules = set()
-                break
-        elif line.isspace() or line.startswith('Use "help"'):
-            pass
-        else:
-            logging.warning('Ignoring "%s"', line)
-    if p.poll() is None:
-        # Kill the process if alive.
-        p.kill()
-    p.wait()
-
-    if not modules:
-        raise Exception("no modules found.")
-    return list(modules), build, revision
-
-
-def download(uri, destination):
-    """Download |uri| to local |destination|.
-
-       |destination| must be a file path (not a directory path)."""
-    if uri.startswith('http://') or uri.startswith('https://'):
-        subprocess.check_call(['wget', uri, '-O', destination])
-    elif uri.startswith('gs://'):
-        subprocess.check_call(['gsutil', 'cp', uri, destination])
-    else:
-        raise Exception
-
-
-@contextlib.contextmanager
-def pushd(d):
-    """Defines pushd."""
-    current = os.getcwd()
-    os.chdir(d)
-    try:
-        yield
-    finally:
-        os.chdir(current)
-
-
-def unzip(filename, destination):
-    """Unzips a zip file to the destination directory."""
-    with pushd(destination):
-        # We are trusting Android to have a valid zip file for us.
-        with zipfile.ZipFile(filename) as zf:
-            zf.extractall()
-
-
-def get_collect_modules(is_public):
-    if is_public:
-        return set([_PUBLIC_COLLECT])
-    return set([_COLLECT])
-
-
-@contextlib.contextmanager
-def TemporaryDirectory(prefix):
-    """Poor man's python 3.2 import."""
-    tmp = tempfile.mkdtemp(prefix=prefix)
-    try:
-        yield tmp
-    finally:
-        shutil.rmtree(tmp)
-
-
-def get_word_pattern(m, l=1):
-    """Return the first few words of the CamelCase module name.
-
-    Break after l+1 CamelCase word.
-    Example: CtsDebugTestCases -> CtsDebug.
-    """
-    s = re.findall('^[a-z-]+|[A-Z]*[^A-Z0-9]*', m)[0:l + 1]
-    # Ignore Test or TestCases at the end as they don't add anything.
-    if len(s) > l:
-        if s[l].startswith('Test') or s[l].startswith('['):
-            return ''.join(s[0:l])
-        if s[l - 1] == 'Test' and s[l].startswith('Cases'):
-            return ''.join(s[0:l - 1])
-    return ''.join(s[0:l + 1])
-
-
-def combine_modules_by_common_word(modules):
-    """Returns a dictionary of (combined name, set of module) pairs.
-
-    This gives a mild compaction of control files (from about 320 to 135).
-    Example:
-    'CtsVoice' -> ['CtsVoiceInteractionTestCases', 'CtsVoiceSettingsTestCases']
-    """
-    d = dict()
-    # On first pass group modules with common first word together.
-    for module in modules:
-        pattern = get_word_pattern(module)
-        v = d.get(pattern, [])
-        v.append(module)
-        v.sort()
-        d[pattern] = v
-    # Second pass extend names to maximum common prefix. This keeps control file
-    # names identical if they contain only one module and less ambiguous if they
-    # contain multiple modules.
-    combined = dict()
-    for key in sorted(d):
-        # Instead if a one syllable prefix use longest common prefix of modules.
-        prefix = os.path.commonprefix(d[key])
-        # Beautification: strip Tests/TestCases from end of prefix, but only if
-        # there is more than one module in the control file. This avoids
-        # slightly strange combination of having CtsDpiTestCases1/2 inside of
-        # CtsDpiTestCases (now just CtsDpi to make it clearer there are several
-        # modules in this control file).
-        if len(d[key]) > 1:
-            prefix = re.sub('TestCases$', '', prefix)
-            prefix = re.sub('Tests$', '', prefix)
-        # Beautification: CtsMedia files run very long and are unstable. Give
-        # each module its own control file, even though this heuristic would
-        # lump them together.
-        if prefix.startswith('CtsMedia'):
-            # Separate each CtsMedia* modules, but group extra modules with
-            # optional parametrization (ex: secondary_user, instant) together.
-            prev = ' '
-            for media in sorted(d[key]):
-                if media.startswith(prev):
-                    combined[prev].add(media)
-                else:
-                    prev = media
-                    combined[media] = set([media])
-
-        else:
-            combined[prefix] = set(d[key])
-    print('Reduced number of control files from %d to %d.' % (len(modules),
-                                                              len(combined)))
-    return combined
-
-
-def combine_modules_by_bookmark(modules):
-    """Return a manually curated list of name, module pairs.
-
-    Ideally we split "all" into a dictionary of maybe 10-20 equal runtime parts.
-    (Say 2-5 hours each.) But it is ok to run problematic modules alone.
-    """
-    d = dict()
-    # Figure out sets of modules between bookmarks. Not optimum time complexity.
-    for bookmark in CONFIG['QUAL_BOOKMARKS']:
-        if modules:
-            for module in sorted(modules):
-                if module < bookmark:
-                    v = d.get(bookmark, set())
-                    v.add(module)
-                    d[bookmark] = v
-            # Remove processed modules.
-            if bookmark in d:
-                modules = modules - d[bookmark]
-    # Clean up names.
-    combined = dict()
-    for key in sorted(d):
-        v = sorted(d[key])
-        # New name is first element '_-_' last element.
-        # Notice there is a bug in $ADB_VENDOR_KEYS path name preventing
-        # arbitrary characters.
-        prefix = re.sub(r'\[[^]]*\]', '', v[0] + '_-_' + v[-1])
-        combined[prefix] = set(v)
-    return combined
-
-
-def write_controlfile(name,
-                      modules,
-                      abi,
-                      revision,
-                      build,
-                      uri,
-                      suites,
-                      is_public,
-                      is_latest=False,
-                      whole_module_set=None,
-                      abi_bits=None):
-    """Write a single control file."""
-    filename = get_controlfile_name(name,
-                                    abi,
-                                    revision,
-                                    is_public,
-                                    abi_bits=abi_bits)
-    content = get_controlfile_content(name,
-                                      modules,
-                                      abi,
-                                      revision,
-                                      build,
-                                      uri,
-                                      suites,
-                                      is_public,
-                                      is_latest,
-                                      whole_module_set=whole_module_set,
-                                      abi_bits=abi_bits)
-    with open(filename, 'w') as f:
-        f.write(content)
-
-
-def write_moblab_controlfiles(modules, abi, revision, build, uri, is_public):
-    """Write all control files for moblab.
-
-    Nothing gets combined.
-
-    Moblab uses one module per job. In some cases like Deqp which can run super
-    long it even creates several jobs per module. Moblab can do this as it has
-    less relative overhead spinning up jobs than the lab.
-    """
-    for module in modules:
-        # No need to generate control files with extra suffix, since --module
-        # option will cover variants with optional parameters.
-        if "[" in module:
-            continue
-        write_controlfile(module, set([module]), abi, revision, build, uri,
-                          [CONFIG['MOBLAB_SUITE_NAME']], is_public)
-
-
-def write_regression_controlfiles(modules, abi, revision, build, uri,
-                                  is_public, is_latest):
-    """Write all control files for stainless/ToT regression lab coverage.
-
-    Regression coverage on tot currently relies heavily on watching stainless
-    dashboard and sponge. So instead of running everything in a single run
-    we split CTS into many jobs. It used to be one job per module, but that
-    became too much in P (more than 300 per ABI). Instead we combine modules
-    with similar names and run these in the same job (alphabetically).
-    """
-    if CONFIG.get('SINGLE_CONTROL_FILE'):
-        module_set = set(modules)
-        write_controlfile('all',
-                          module_set,
-                          abi,
-                          revision,
-                          build,
-                          uri,
-                          None,
-                          is_public,
-                          is_latest,
-                          whole_module_set=module_set)
-    else:
-        combined = combine_modules_by_common_word(set(modules))
-        for key in combined:
-            if combined[key] & set(CONFIG.get('SPLIT_BY_BITS_MODULES', [])):
-                for abi_bits in [32, 64]:
-                    write_controlfile(key,
-                                      combined[key],
-                                      abi,
-                                      revision,
-                                      build,
-                                      uri,
-                                      None,
-                                      is_public,
-                                      is_latest,
-                                      abi_bits=abi_bits)
-            else:
-                write_controlfile(key, combined[key], abi, revision, build,
-                                  uri, None, is_public, is_latest)
-
-
-def write_qualification_controlfiles(modules, abi, revision, build, uri,
-                                     is_public, is_latest):
-    """Write all control files to run "all" tests for qualification.
-
-    Qualification was performed on N by running all tests using tradefed
-    sharding (specifying SYNC_COUNT=2) in the control files. In skylab
-    this is currently not implemented, so we fall back to autotest sharding
-    all CTS tests into 10-20 hand chosen shards.
-    """
-    combined = combine_modules_by_bookmark(set(modules))
-    for key in combined:
-        if combined[key] & set(CONFIG.get('SPLIT_BY_BITS_MODULES', [])):
-            for abi_bits in [32, 64]:
-                write_controlfile('all.' + key,
-                                  combined[key],
-                                  abi,
-                                  revision,
-                                  build,
-                                  uri,
-                                  CONFIG.get('QUAL_SUITE_NAMES'),
-                                  is_public,
-                                  is_latest,
-                                  abi_bits=abi_bits)
-        else:
-            write_controlfile('all.' + key, combined[key], abi,
-                              revision, build, uri,
-                              CONFIG.get('QUAL_SUITE_NAMES'), is_public,
-                              is_latest)
-
-
-def write_qualification_and_regression_controlfile(modules, abi, revision,
-                                                   build, uri, is_public,
-                                                   is_latest):
-    """Write a control file to run "all" tests for qualification and regression.
-    """
-    # For cts-instant, qualication control files are expected to cover
-    # regressions as well. Hence the 'suite:arc-cts' is added.
-    suites = ['suite:arc-cts', 'suite:arc-cts-qual']
-    module_set = set(modules)
-    combined = combine_modules_by_bookmark(module_set)
-    for key in combined:
-        write_controlfile('all.' + key,
-                          combined[key],
-                          abi,
-                          revision,
-                          build,
-                          uri,
-                          suites,
-                          is_public,
-                          is_latest,
-                          whole_module_set=module_set)
-
-
-def write_collect_controlfiles(_modules, abi, revision, build, uri, is_public,
-                               is_latest):
-    """Write all control files for test collection used as reference to
-
-    compute completeness (missing tests) on the CTS dashboard.
-    """
-    if is_public:
-        suites = [CONFIG['MOBLAB_SUITE_NAME']]
-    else:
-        suites = CONFIG['INTERNAL_SUITE_NAMES'] \
-               + CONFIG.get('QUAL_SUITE_NAMES', [])
-    for module in get_collect_modules(is_public):
-        write_controlfile(module, set([module]), abi, revision, build, uri,
-                          suites, is_public, is_latest)
-
-
-def write_extra_controlfiles(_modules, abi, revision, build, uri, is_public,
-                             is_latest):
-    """Write all extra control files as specified in config.
-
-    This is used by moblab to load balance large modules like Deqp, as well as
-    making custom modules such as WM presubmit. A similar approach was also used
-    during bringup of grunt to split media tests.
-    """
-    for module, config in get_extra_modules_dict(is_public, abi).items():
-        for submodule in config['SUBMODULES']:
-            write_controlfile(submodule, set([submodule]), abi, revision,
-                              build, uri, config['SUITES'], is_public,
-                              is_latest)
-
-
-def write_extra_camera_controlfiles(abi, revision, build, uri, is_public,
-                                    is_latest):
-    """Control files for CtsCameraTestCases.camerabox.*"""
-    module = 'CtsCameraTestCases'
-    for facing in ['back', 'front']:
-        led_provision = 'noled'
-        name = get_controlfile_name(module, abi, revision, is_public,
-                                    led_provision, facing)
-        content = get_controlfile_content(module,
-                                          set([module]),
-                                          abi,
-                                          revision,
-                                          build,
-                                          uri,
-                                          None,
-                                          is_public,
-                                          is_latest,
-                                          led_provision=led_provision,
-                                          camera_facing=facing)
-        with open(name, 'w') as f:
-            f.write(content)
-
-
-def run(uris, is_public, is_latest, cache_dir):
-    """Downloads each bundle in |uris| and generates control files for each
-
-    module as reported to us by tradefed.
-    """
-    for uri in uris:
-        abi = get_bundle_abi(uri)
-        # Get tradefed data by downloading & unzipping the files
-        with TemporaryDirectory(prefix='cts-android_') as tmp:
-            if cache_dir is not None:
-                assert(os.path.isdir(cache_dir))
-                bundle = os.path.join(cache_dir, os.path.basename(uri))
-                if not os.path.exists(bundle):
-                    logging.info('Downloading to %s.', cache_dir)
-                    download(uri, bundle)
-            else:
-                bundle = os.path.join(tmp, os.path.basename(uri))
-                logging.info('Downloading to %s.', tmp)
-                download(uri, bundle)
-            logging.info('Extracting %s.', bundle)
-            unzip(bundle, tmp)
-            modules, build, revision = get_tradefed_data(tmp, is_public, abi)
-            if not revision:
-                raise Exception('Could not determine revision.')
-
-            logging.info('Writing all control files.')
-            if is_public:
-                write_moblab_controlfiles(modules, abi, revision, build, uri,
-                                          is_public)
-            else:
-                if CONFIG['CONTROLFILE_WRITE_SIMPLE_QUAL_AND_REGRESS']:
-                    write_qualification_and_regression_controlfile(
-                            modules, abi, revision, build, uri, is_public,
-                            is_latest)
-                else:
-                    write_regression_controlfiles(modules, abi, revision,
-                                                  build, uri, is_public,
-                                                  is_latest)
-                    write_qualification_controlfiles(modules, abi, revision,
-                                                     build, uri, is_public,
-                                                     is_latest)
-
-                if CONFIG['CONTROLFILE_WRITE_CAMERA']:
-                    write_extra_camera_controlfiles(abi, revision, build, uri,
-                                                    is_public, is_latest)
-
-            if CONFIG.get('CONTROLFILE_WRITE_COLLECT', True):
-                write_collect_controlfiles(modules, abi, revision, build, uri,
-                                           is_public, is_latest)
-
-            if CONFIG['CONTROLFILE_WRITE_EXTRA']:
-                write_extra_controlfiles(None, abi, revision, build, uri,
-                                         is_public, is_latest)
-
-
-def main(config):
-    """ Entry method of generator """
-
-    global CONFIG
-    CONFIG = config
-
-    logging.basicConfig(level=logging.INFO)
-    parser = argparse.ArgumentParser(
-        description='Create control files for a CTS bundle on GS.',
-        formatter_class=argparse.RawTextHelpFormatter)
-    parser.add_argument(
-            'uris',
-            nargs='+',
-            help='List of Google Storage URIs to CTS bundles. Example:\n'
-            'gs://chromeos-arc-images/cts/bundle/P/'
-            'android-cts-9.0_r9-linux_x86-x86.zip')
-    parser.add_argument(
-            '--is_public',
-            dest='is_public',
-            default=False,
-            action='store_true',
-            help='Generate the public control files for CTS, default generate'
-            ' the internal control files')
-    parser.add_argument(
-            '--is_latest',
-            dest='is_latest',
-            default=False,
-            action='store_true',
-            help='Generate the control files for CTS from the latest CTS bundle'
-            ' stored in the internal storage')
-    parser.add_argument(
-            '--cache_dir',
-            dest='cache_dir',
-            default=None,
-            action='store',
-            help='Cache directory for downloaded bundle file. Uses the cached '
-            'bundle file if exists, or caches a downloaded file to this '
-            'directory if not.')
-    args = parser.parse_args()
-    run(args.uris, args.is_public, args.is_latest, args.cache_dir)
diff --git a/server/cros/tradefed/tradefed_chromelogin.py b/server/cros/tradefed/tradefed_chromelogin.py
deleted file mode 100644
index a36d880..0000000
--- a/server/cros/tradefed/tradefed_chromelogin.py
+++ /dev/null
@@ -1,209 +0,0 @@
-# Copyright 2018 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import contextlib
-import logging
-import os
-
-from autotest_lib.client.common_lib import error
-from autotest_lib.server import autotest
-from autotest_lib.server.cros.tradefed import tradefed_constants as constants
-
-
-class ChromeLogin(object):
-    """Context manager to handle Chrome login state."""
-
-    def need_reboot(self, hard_reboot=False):
-        """Marks state as "dirty" - reboot needed during/after test."""
-        logging.info('Will reboot DUT when Chrome stops.')
-        self._need_reboot = True
-        if hard_reboot and self._host.servo:
-            self._hard_reboot_on_failure = True
-
-    def __init__(self,
-                 host,
-                 board=None,
-                 dont_override_profile=False,
-                 enable_default_apps=False,
-                 toggle_ndk=False,
-                 nativebridge64=False,
-                 log_dir=None):
-        """Initializes the ChromeLogin object.
-
-        @param board: optional parameter to extend timeout for login for slow
-                      DUTs. Used in particular for virtual machines.
-        @param dont_override_profile: reuses the existing test profile if any
-        @param enable_default_apps: enables default apps (like Files app)
-        @param toggle_ndk: toggles native bridge engine switch.
-        @param nativebridge64: enables 64-bit native bridge experiment.
-        @param log_dir: Any log files for this Chrome session is written to this
-               directory.
-        """
-        self._host = host
-        self._timeout = constants.LOGIN_BOARD_TIMEOUT.get(
-            board, constants.LOGIN_DEFAULT_TIMEOUT)
-        self._dont_override_profile = dont_override_profile
-        self._enable_default_apps = enable_default_apps
-        self._need_reboot = False
-        self._hard_reboot_on_failure = False
-        self._toggle_ndk = toggle_ndk
-        self._nativebridge64 = nativebridge64
-        self._log_dir = log_dir
-
-    def _cmd_builder(self, verbose=False):
-        """Gets remote command to start browser with ARC enabled."""
-        # If autotest is not installed on the host, as with moblab at times,
-        # getting the autodir will raise an exception.
-        cmd = autotest.Autotest.get_installed_autodir(self._host)
-        cmd += '/bin/autologin.py --arc'
-
-        # We want to suppress the Google doodle as it is not part of the image
-        # and can be different content every day interacting with testing.
-        cmd += ' --no-startup-window'
-        # Disable several forms of auto-installation to stablize the tests.
-        cmd += ' --no-arc-syncs'
-        # Toggle the translation from houdini to ndk
-        if self._toggle_ndk:
-            cmd += ' --toggle_ndk'
-        if self._dont_override_profile:
-            logging.info('Starting Chrome with a possibly reused profile.')
-            cmd += ' --dont_override_profile'
-        else:
-            logging.info('Starting Chrome with a fresh profile.')
-        if self._enable_default_apps:
-            logging.info('Using --enable_default_apps to start Chrome.')
-            cmd += ' --enable_default_apps'
-        if self._nativebridge64:
-            cmd += ' --nativebridge64'
-        if not verbose:
-            cmd += ' > /dev/null 2>&1'
-        return cmd
-
-    def _login_by_script(self, timeout, verbose):
-        """Runs the autologin.py script on the DUT to log in."""
-        self._host.run(
-            self._cmd_builder(verbose=verbose),
-            ignore_status=False,
-            verbose=verbose,
-            timeout=timeout)
-
-    def _login(self, timeout, verbose=False, install_autotest=False):
-        """Logs into Chrome. Raises an exception on failure."""
-        if not install_autotest:
-            try:
-                # Assume autotest to be already installed.
-                self._login_by_script(timeout=timeout, verbose=verbose)
-            except autotest.AutodirNotFoundError:
-                logging.warning('Autotest not installed, forcing install...')
-                install_autotest = True
-
-        if install_autotest:
-            # Installs the autotest client to the DUT by running a no-op test.
-            autotest.Autotest(self._host).run_timed_test(
-                'dummy_Pass', timeout=2 * timeout, check_client_result=True)
-            # The (re)run the login script.
-            self._login_by_script(timeout=timeout, verbose=verbose)
-
-        # Quick check if Android has really started. When autotest client
-        # installed on the DUT was partially broken, the script may succeed
-        # without actually logging into Chrome/Android. See b/129382439.
-        self._host.run(
-            # "/data/anr" is an arbitrary directory accessible only after
-            # proper login and data mount.
-            'android-sh -c "ls /data/anr"',
-            ignore_status=False, timeout=9)
-
-    def enter(self):
-        """Logs into Chrome with retry."""
-        timeout = self._timeout
-        try:
-            logging.info('Ensure Android is running (timeout=%d)...', timeout)
-            self._login(timeout=timeout)
-        except Exception as e:
-            logging.error('Login failed.', exc_info=e)
-            # Retry with more time, with refreshed client autotest installation,
-            # and the DUT cleanup by rebooting. This can hide some failures.
-            self._reboot()
-            timeout *= 2
-            logging.info('Retrying failed login (timeout=%d)...', timeout)
-            try:
-                self._login(timeout=timeout,
-                            verbose=True,
-                            install_autotest=True)
-            except Exception as e2:
-                logging.error('Failed to login to Chrome', exc_info=e2)
-                raise error.TestError('Failed to login to Chrome')
-
-    def exit(self):
-        """On exit restart the browser or reboot the machine.
-
-        If self._log_dir is set, the VM kernel log is written
-        to a file.
-
-        """
-        if self._log_dir:
-            self._write_kernel_log()
-
-        if not self._need_reboot:
-            try:
-                self._restart()
-            except:
-                logging.error('Restarting browser has failed.')
-                self.need_reboot()
-        if self._need_reboot:
-            self._reboot()
-
-    def _write_kernel_log(self):
-        """Writes ARCVM kernel logs."""
-        if not os.path.exists(self._log_dir):
-            os.makedirs(self._log_dir)
-
-        output_path = os.path.join(
-                self._log_dir, '%s_vm_pstore_dump.txt' % self._host.hostname)
-
-        with open(output_path, 'w') as f:
-            try:
-                logging.info('Getting VM kernel logs.')
-                self._host.run('/usr/bin/vm_pstore_dump', stdout_tee=f)
-            except Exception as e:
-                logging.error('vm_pstore_dump command failed: %s', e)
-            else:
-                logging.info('Wrote VM kernel logs.')
-
-    def _restart(self):
-        """Restart Chrome browser."""
-        # We clean up /tmp (which is memory backed) from crashes and
-        # other files. A reboot would have cleaned /tmp as well.
-        # TODO(ihf): Remove "start ui" which is a nicety to non-ARC tests (i.e.
-        # now we wait on login screen, but login() above will 'stop ui' again
-        # before launching Chrome with ARC enabled).
-        logging.info('Skipping reboot, restarting browser.')
-        script = 'stop ui'
-        script += '&& find /tmp/ -mindepth 1 -delete '
-        script += '&& start ui'
-        self._host.run(script, ignore_status=False, verbose=False, timeout=120)
-
-    def _reboot(self):
-        """Reboot the machine."""
-        if self._hard_reboot_on_failure:
-            logging.info('Powering OFF the DUT: %s', self._host)
-            self._host.servo.get_power_state_controller().power_off()
-            logging.info('Powering ON the DUT: %s', self._host)
-            self._host.servo.get_power_state_controller().power_on()
-        else:
-            logging.info('Rebooting...')
-            self._host.reboot()
-
-
-@contextlib.contextmanager
-def login_chrome(hosts, **kwargs):
-    """Returns Chrome log-in context manager for multiple hosts. """
-    # TODO(pwang): Chromelogin takes 10+ seconds for it to successfully
-    #              enter. Parallelize if this becomes a bottleneck.
-    instances = [ChromeLogin(host, **kwargs) for host in hosts]
-    for instance in instances:
-        instance.enter()
-    yield instances
-    for instance in instances:
-        instance.exit()
diff --git a/server/cros/tradefed/tradefed_constants.py b/server/cros/tradefed/tradefed_constants.py
deleted file mode 100644
index 241c849..0000000
--- a/server/cros/tradefed/tradefed_constants.py
+++ /dev/null
@@ -1,93 +0,0 @@
-# Copyright 2018 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-# TODO(ihf): Find a good aapt and update to it.
-SDK_TOOLS_DIR = 'gs://chromeos-arc-images/builds/git_nyc-mr1-arc-linux-static_sdk_tools/3544738'
-SDK_TOOLS_FILES = ['aapt']
-
-# Use old version of adb for a speculative workaround for b/183438202
-ADB_DIR_OLD = 'gs://chromeos-arc-images/builds/git_qt-release-static_sdk_tools/6118618'
-# adb 31.0.0 from https://developer.android.com/studio/releases/platform-tools
-ADB_DIR = 'gs://chromeos-arc-images/builds/aosp-sdk-release/7110759/'
-ADB_FILES = ['adb']
-
-ADB_POLLING_INTERVAL_SECONDS = 1
-ADB_CONNECT_TIMEOUT_SECONDS = 10
-ADB_KILL_SERVER_TIMEOUT_SECONDS = 10
-ADB_READY_TIMEOUT_SECONDS = 30
-
-ARC_POLLING_INTERVAL_SECONDS = 1
-ARC_READY_TIMEOUT_SECONDS = 60
-
-TRADEFED_PREFIX = 'autotest-tradefed-install_'
-# While running CTS tradefed creates state in the installed location (there is
-# currently no way to specify a dedicated result directory for all changes).
-# For this reason we start each test with a clean copy of the CTS/GTS bundle.
-TRADEFED_CACHE_LOCAL = '/tmp/autotest-tradefed-cache'
-# On lab servers and moblab all server tests run inside of lxc instances
-# isolating file systems from each other. To avoid downloading CTS artifacts
-# repeatedly for each test (or lxc instance) we share a common location
-# /usr/local/autotest/results/shared which is visible to all lxc instances on
-# that server. It needs to be writable as the cache is maintained jointly by
-# all CTS/GTS tests. Currently both read and write access require taking the
-# lock. Writes happen rougly monthly while reads are many times a day. If this
-# becomes a bottleneck we could examine allowing concurrent reads.
-TRADEFED_CACHE_CONTAINER = '/usr/local/autotest/results/shared/cache'
-TRADEFED_CACHE_CONTAINER_LOCK = '/usr/local/autotest/results/shared/lock'
-# The maximum size of the shared global cache. It needs to be able to hold
-# P, R, x86, arm, official, dev CTS bundles, as well as GTS bundles, and
-# media assets. (See b/126165348#comment40 for the calculation.)
-# In the current implementation, each test instance just symlinks to the
-# shared cache for majority of the content, so running multiple parallel
-# CTS tests should be acceptable in terms of storage.
-TRADEFED_CACHE_MAX_SIZE = (100 * 1024 * 1024 * 1024)
-# The path that cts-tradefed uses to place media assets. By downloading and
-# expanding the archive here beforehand, tradefed can reuse the content.
-TRADEFED_MEDIA_PATH = '/tmp/android-cts-media'
-# The property tradefed reads to decide which helpers to install.
-TRADEFED_CTS_HELPERS_PROPERTY = 'ro.vendor.cts_interaction_helper_packages'
-# The directory on the board where CTS helpers can be found.
-BOARD_CTS_HELPERS_DIR = '/usr/local/opt/google/vms/android'
-
-# It looks like the GCE builder can be very slow and login on VMs take much
-# longer than on hardware or bare metal.
-LOGIN_BOARD_TIMEOUT = {'betty': 300, 'betty-arcnext': 300, 'betty-pi-arc': 300}
-LOGIN_DEFAULT_TIMEOUT = 90
-
-# Approximately assume ChromeOS revision Rdd-xxxxx.y.z with y>=45 as stable.
-APPROXIMATE_STABLE_BRANCH_NUMBER = 45
-
-# Directories for overriding powerd prefs during tests.
-POWERD_PREF_DIR = '/var/lib/power_manager'
-POWERD_TEMP_DIR = '/tmp/autotest_powerd_prefs'
-
-PRIVATE_KEY = '''-----BEGIN PRIVATE KEY-----
-MIIEvAIBADANBgkqhkiG9w0BAQEFAASCBKYwggSiAgEAAoIBAQCnHNzujonYRLoI
-F2pyJX1SSrqmiT/3rTRCP1X0pj1V/sPGwgvIr+3QjZehLUGRQL0wneBNXd6EVrST
-drO4cOPwSxRJjCf+/PtS1nwkz+o/BGn5yhNppdSro7aPoQxEVM8qLtN5Ke9tx/zE
-ggxpF8D3XBC6Los9lAkyesZI6xqXESeofOYu3Hndzfbz8rAjC0X+p6Sx561Bt1dn
-T7k2cP0mwWfITjW8tAhzmKgL4tGcgmoLhMHl9JgScFBhW2Nd0QAR4ACyVvryJ/Xa
-2L6T2YpUjqWEDbiJNEApFb+m+smIbyGz0H/Kj9znoRs84z3/8rfyNQOyf7oqBpr2
-52XG4totAgMBAAECggEARisKYWicXKDO9CLQ4Uj4jBswsEilAVxKux5Y+zbqPjeR
-AN3tkMC+PHmXl2enRlRGnClOS24ExtCZVenboLBWJUmBJTiieqDC7o985QAgPYGe
-9fFxoUSuPbuqJjjbK73olq++v/tpu1Djw6dPirkcn0CbDXIJqTuFeRqwM2H0ckVl
-mVGUDgATckY0HWPyTBIzwBYIQTvAYzqFHmztcUahQrfi9XqxnySI91no8X6fR323
-R8WQ44atLWO5TPCu5JEHCwuTzsGEG7dEEtRQUxAsH11QC7S53tqf10u40aT3bXUh
-XV62ol9Zk7h3UrrlT1h1Ae+EtgIbhwv23poBEHpRQQKBgQDeUJwLfWQj0xHO+Jgl
-gbMCfiPYvjJ9yVcW4ET4UYnO6A9bf0aHOYdDcumScWHrA1bJEFZ/cqRvqUZsbSsB
-+thxa7gjdpZzBeSzd7M+Ygrodi6KM/ojSQMsen/EbRFerZBvsXimtRb88NxTBIW1
-RXRPLRhHt+VYEF/wOVkNZ5c2eQKBgQDAbwNkkVFTD8yQJFxZZgr1F/g/nR2IC1Yb
-ylusFztLG998olxUKcWGGMoF7JjlM6pY3nt8qJFKek9bRJqyWSqS4/pKR7QTU4Nl
-a+gECuD3f28qGFgmay+B7Fyi9xmBAsGINyVxvGyKH95y3QICw1V0Q8uuNwJW2feo
-3+UD2/rkVQKBgFloh+ljC4QQ3gekGOR0rf6hpl8D1yCZecn8diB8AnVRBOQiYsX9
-j/XDYEaCDQRMOnnwdSkafSFfLbBrkzFfpe6viMXSap1l0F2RFWhQW9yzsvHoB4Br
-W7hmp73is2qlWQJimIhLKiyd3a4RkoidnzI8i5hEUBtDsqHVHohykfDZAoGABNhG
-q5eFBqRVMCPaN138VKNf2qon/i7a4iQ8Hp8PHRr8i3TDAlNy56dkHrYQO2ULmuUv
-Erpjvg5KRS/6/RaFneEjgg9AF2R44GrREpj7hP+uWs72GTGFpq2+v1OdTsQ0/yr0
-RGLMEMYwoY+y50Lnud+jFyXHZ0xhkdzhNTGqpWkCgYBigHVt/p8uKlTqhlSl6QXw
-1AyaV/TmfDjzWaNjmnE+DxQfXzPi9G+cXONdwD0AlRM1NnBRN+smh2B4RBeU515d
-x5RpTRFgzayt0I4Rt6QewKmAER3FbbPzaww2pkfH1zr4GJrKQuceWzxUf46K38xl
-yee+dcuGhs9IGBOEEF7lFA==
------END PRIVATE KEY-----
-'''
diff --git a/server/cros/tradefed/tradefed_prerequisite.py b/server/cros/tradefed/tradefed_prerequisite.py
deleted file mode 100644
index 5364c55..0000000
--- a/server/cros/tradefed/tradefed_prerequisite.py
+++ /dev/null
@@ -1,49 +0,0 @@
-# Copyright 2019 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import logging
-
-_ERROR_PREFIX = 'CTS Test Precondition Failed'
-
-def bluetooth(hosts):
-    """Check for missing bluetooth hardware.
-    """
-    # TODO(ianrlee): Reenable, once a nice check is found in b/148621587.
-    # for host in hosts:
-    #    output = host.run('hcitool dev').stdout
-    #    lines = output.splitlines()
-    #    if len(lines) < 2 or not lines[0].startswith('Devices:'):
-    #        return False, '%s: Bluetooth device is missing.'\
-    #                      'Stdout of the command "hcitool dev"'\
-    #                      'on host %s was %s' % (_ERROR_PREFIX, host, output)
-    return True, ''
-
-
-def region_us(hosts):
-    """Check that region is set to "us".
-    """
-    for host in hosts:
-        output = host.run('vpd -g region', ignore_status=True).stdout
-        if output not in ['us', '']:
-            return False, '%s: Region is not "us" or empty. '\
-                          'STDOUT of the command "vpd -l '\
-                          'region" on host %s was %s'\
-                          % (_ERROR_PREFIX, host, output)
-    return True, ''
-
-prerequisite_map = {
-    'bluetooth': bluetooth,
-    'region_us': region_us,
-}
-
-def check(prereq, hosts):
-    """Execute the prerequisite check.
-
-    @return boolean indicating if check passes.
-    @return string error message if check fails.
-    """
-    if prereq not in prerequisite_map:
-        logging.info('%s is not a valid prerequisite.', prereq)
-        return True, ''
-    return prerequisite_map[prereq](hosts)
diff --git a/server/cros/tradefed/tradefed_test.py b/server/cros/tradefed/tradefed_test.py
deleted file mode 100644
index d5b21aa..0000000
--- a/server/cros/tradefed/tradefed_test.py
+++ /dev/null
@@ -1,1500 +0,0 @@
-# Copyright 2016 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-# repohooks/pre-upload.py currently does not run pylint. But for developers who
-# want to check their code manually we disable several harmless pylint warnings
-# which just distract from more serious remaining issues.
-#
-# The instance variables _host and _install_paths are not defined in __init__().
-# pylint: disable=attribute-defined-outside-init
-#
-# Many short variable names don't follow the naming convention.
-# pylint: disable=invalid-name
-#
-# _parse_result() and _dir_size() don't access self and could be functions.
-# pylint: disable=no-self-use
-
-from collections import namedtuple
-import errno
-import glob
-import hashlib
-import logging
-import os
-import pipes
-import re
-import shutil
-import stat
-import subprocess
-import tempfile
-import time
-import six.moves.urllib_parse as urlparse
-
-from autotest_lib.client.bin import utils as client_utils
-from autotest_lib.client.common_lib import error
-from autotest_lib.server import test
-from autotest_lib.server import utils
-from autotest_lib.server.cros.tradefed import cts_expected_failure_parser
-from autotest_lib.server.cros.tradefed import tradefed_chromelogin as login
-from autotest_lib.server.cros.tradefed import tradefed_constants as constants
-from autotest_lib.server.cros.tradefed import tradefed_utils
-from autotest_lib.server.cros.tradefed import tradefed_prerequisite
-from autotest_lib.server.autotest import OFFLOAD_ENVVAR
-
-# TODO(kinaba): Move to tradefed_utils together with the setup/cleanup methods.
-MediaAsset = namedtuple('MediaAssetInfo', ['uri', 'localpath'])
-
-
-class TradefedTest(test.test):
-    """Base class to prepare DUT to run tests via tradefed."""
-    version = 1
-
-    # Default and upperbounds of max_retry, based on board and revision
-    # after branching (that is, 'y' of R74-12345.y.z).
-    #
-    # By default, 0<=y<1 does 5 retries and 1<=y does 10. The |max_retry|
-    # parameter in control files can override the count, within the
-    # _BRANCH_MAX_RETRY limit below.
-    _BRANCH_DEFAULT_RETRY = [(0, 5), (1, 10)]  # dev=5, beta=stable=10
-    _BRANCH_MAX_RETRY = [(0, 12), (1, 30),      # dev=12, beta=30, stable=99
-        (constants.APPROXIMATE_STABLE_BRANCH_NUMBER, 99)]
-    # TODO(kinaba): betty-arcnext
-    _BOARD_MAX_RETRY = {'betty': 0}
-
-    _SHARD_CMD = None
-    _board_arch = None
-    _board_name = None
-    _model_name = None
-    _release_branch_number = None  # The 'y' of OS version Rxx-xxxxx.y.z
-    _android_version = None
-    _first_api_level = None
-    _num_media_bundles = 0
-    _abilist = []
-
-    # A job will be aborted after 16h. Subtract 30m for setup/teardown.
-    _MAX_LAB_JOB_LENGTH_IN_SEC = 16 * 60 * 60 - 30 * 60
-    _job_deadline = None
-
-    def _log_java_version(self):
-        """Log java version to debug failures due to version mismatch."""
-        utils.run(
-            'java',
-            args=('-version',),
-            ignore_status=False,
-            verbose=True,
-            stdout_tee=utils.TEE_TO_LOGS,
-            stderr_tee=utils.TEE_TO_LOGS)
-
-    def initialize(self,
-                   bundle=None,
-                   uri=None,
-                   host=None,
-                   hosts=None,
-                   max_retry=None,
-                   load_waivers=True,
-                   retry_manual_tests=False,
-                   warn_on_test_retry=True,
-                   hard_reboot_on_failure=False,
-                   use_jdk9=False,
-                   use_old_adb=False):
-        """Sets up the tools and binary bundles for the test."""
-        if utils.is_in_container() and not client_utils.is_moblab():
-            self._job_deadline = time.time() + self._MAX_LAB_JOB_LENGTH_IN_SEC
-
-        self._install_paths = []
-        # TODO(pwang): Remove host if we enable multiple hosts everywhere.
-        self._hosts = [host] if host else hosts
-        for host in self._hosts:
-            logging.info('Hostname: %s', host.host_port)
-        self._verify_hosts()
-
-        self._max_retry = self._get_max_retry(max_retry)
-        self._warn_on_test_retry = warn_on_test_retry
-        # Tests in the lab run within individual lxc container instances.
-        if utils.is_in_container():
-            cache_root = constants.TRADEFED_CACHE_CONTAINER
-        else:
-            cache_root = constants.TRADEFED_CACHE_LOCAL
-
-        # The content of the cache survives across jobs.
-        self._safe_makedirs(cache_root)
-        self._tradefed_cache = os.path.join(cache_root, 'cache')
-        self._tradefed_cache_lock = os.path.join(cache_root, 'lock')
-        self._tradefed_cache_dirty = os.path.join(cache_root, 'dirty')
-        # The content of the install location does not survive across jobs and
-        # is isolated (by using a unique path)_against other autotest instances.
-        # This is not needed for the lab, but if somebody wants to run multiple
-        # TradedefTest instance.
-        self._tradefed_install = tempfile.mkdtemp(
-            prefix=constants.TRADEFED_PREFIX)
-        # Under lxc the cache is shared between multiple autotest/tradefed
-        # instances. We need to synchronize access to it. All binaries are
-        # installed through the (shared) cache into the local (unshared)
-        # lxc/autotest instance storage.
-        # If clearing the cache it must happen before all downloads.
-        self._clean_download_cache_if_needed()
-        # Set permissions (rwxr-xr-x) to the executable binaries.
-        permission = (
-            stat.S_IRWXU | stat.S_IRGRP | stat.S_IXGRP | stat.S_IROTH
-            | stat.S_IXOTH)
-        adb_dir = constants.ADB_DIR_OLD if use_old_adb else constants.ADB_DIR
-        self._install_files(adb_dir, constants.ADB_FILES, permission)
-        self._install_files(constants.SDK_TOOLS_DIR,
-                            constants.SDK_TOOLS_FILES, permission)
-
-        # If use_jdk9 is set true, use jdk9 than default jdk8.
-        if use_jdk9:
-            if utils.is_in_container() and not client_utils.is_moblab():
-                logging.info('Lab: switching to JDK9')
-                try:
-                    os.environ['JAVA_HOME'] = '/usr/lib/jvm/jdk-9.0.4'
-                    os.environ['PATH'] = os.environ['JAVA_HOME']\
-                                      + '/bin:' + os.environ['PATH']
-                    logging.info(
-                            subprocess.check_output(['java', '-version'],
-                                                    stderr=subprocess.STDOUT))
-                except OSError:
-                    logging.error('Can\'t change current PATH directory')
-            else:
-                logging.info('Non-lab environment: should be using JDK9+')
-
-        # Install the tradefed bundle.
-        bundle_install_path = self._install_bundle(
-                self._get_latest_bundle_url(bundle) if uri == 'LATEST' else (
-                        uri or self._get_default_bundle_url(bundle)))
-        self._repository = os.path.join(bundle_install_path,
-                                        self._get_tradefed_base_dir())
-
-        # Load expected test failures to exclude them from re-runs.
-        self._waivers = set()
-        if load_waivers:
-            self._waivers.update(
-                    self._get_expected_failures('expectations', bundle))
-        if not retry_manual_tests:
-            self._waivers.update(
-                    self._get_expected_failures('manual_tests', bundle))
-
-        # Load modules with no tests.
-        self._notest_modules = self._get_expected_failures('notest_modules',
-                bundle)
-        self._hard_reboot_on_failure = hard_reboot_on_failure
-
-    def _output_perf(self):
-        """Output performance values."""
-        base = self._default_tradefed_base_dir()
-        path = tradefed_utils.get_test_result_xml_path(base)
-        if path:
-            for metric in tradefed_utils.get_perf_metrics_from_test_result_xml(
-                path, self.resultsdir):
-                self.output_perf_value(**metric)
-
-    def _prepare_synchronous_offloads(self):
-        """
-        Copy files needed for APFE to synchronous offload dir,  with some
-        structure to make the post-job postprocessing simpler.
-        """
-        testname = os.path.basename(self.outputdir)
-        # This is yyyy.mm.dd_hh.mm.ss  (start time)
-        timestamp_pattern = ("[0-9][0-9][0-9][0-9].[0-9][0-9].[0-9][0-9]" +
-                             "_[0-9][0-9].[0-9][0-9].[0-9][0-9]")
-        time_glob = os.path.join(
-            self._default_tradefed_base_dir(), timestamp_pattern
-        )
-        for dirpath in glob.glob(time_glob):
-            timestamp = os.path.basename(dirpath)
-            locs = [os.path.join(dirpath, f) for f in ["test_result.xml",
-                                                       "testResult.xml"]]
-            for f in locs:
-                if os.path.exists(f):
-                    subdirs = self._subdirs(f, testname, timestamp)
-                    self._copy_to_offload_dir(f, subdirs)
-        for z in glob.glob(time_glob+".zip"):
-            self._copy_to_offload_dir(z, self._subdirs(z, testname))
-
-    def _copy_to_offload_dir(self, src_path, subdirs, recursive=True):
-        target = os.path.join(os.getenv(OFFLOAD_ENVVAR), *subdirs)
-        self._safe_makedirs(target)
-        if not recursive or os.path.isfile(src_path):
-            return shutil.copy2(src_path, str(target))
-        return shutil.copytree(src_path, str(target))
-
-    def _subdirs(self, path, testname, timestamp=""):
-        # CTS results from bvt-arc suites need to be sent to the
-        # specially-designated bucket for early EDI entries in APFE,
-        # but only there.
-        dest = "BVT" if 'bvt-arc' in path else "CTS"
-        return ["APFE", dest, testname, timestamp]
-
-    def cleanup(self):
-        """Cleans up any dirtied state."""
-
-        # We also run a postprocess result and performance data
-        # offloading here so that WARN and FAIL runs also run the
-        # steps. postprocess() method only runs for PASSing jobs.
-        self._prepare_synchronous_offloads()
-        self._output_perf()
-
-        try:
-            # Clean up test data that may not be deletable on previous
-            # ChromeOS versions. See b/170276268.
-            self._run_commands([
-                    'cryptohome --action=remove --force --user=test@test.test'
-            ],
-                               ignore_status=True)
-        except:
-            logging.error('Failed to clean up the test account.')
-
-        self._kill_adb_server()
-
-        if hasattr(self, '_tradefed_install'):
-            logging.info('Cleaning up %s.', self._tradefed_install)
-            try:
-                shutil.rmtree(self._tradefed_install)
-            except IOError:
-                pass
-
-    def _kill_adb_server(self):
-        # Kill any lingering adb servers.
-        try:
-            self._run_adb_cmd(verbose=True, args=('kill-server',),
-                timeout=constants.ADB_KILL_SERVER_TIMEOUT_SECONDS)
-        except error.CmdTimeoutError as e:
-            logging.warn(e)
-            # `adb kill-server` sometimes hangs up. Kill it more brutally.
-            try:
-                client_utils.system(
-                    'killall adb',
-                    ignore_status=True,
-                    timeout=constants.ADB_KILL_SERVER_TIMEOUT_SECONDS)
-            except error.CmdTimeoutError as e:
-                # The timeout is ignored, since the only known failure pattern
-                # b/142828365 is due to a zombie process that does not prevent
-                # starting a new server with a new adb key.
-                logging.warn(e)
-        except (error.CmdError, AttributeError):
-            pass
-
-    def _verify_hosts(self):
-        """Verify all hosts' ChromeOS consistency."""
-        # Check release builder path. E.g. cave-release/R66-10435.0.0
-        release_builder_path = set(host.get_release_builder_path()
-                                   for host in self._hosts)
-        if len(release_builder_path) > 1:
-            raise error.TestFail('Hosts\' CHROMEOS_RELEASE_BUILDER_PATH is '
-                                 'different: %s', release_builder_path)
-
-        # Check ChromeOS ARC VERSION. E.g.
-        arc_version = set(host.get_arc_version() for host in self._hosts)
-        if len(arc_version) > 1:
-            raise error.TestFail('Hosts\' CHROMEOS_ARC_VERSION is different: '
-                                 '%s', arc_version)
-
-        # Check ChromeOS model for unibuild.
-        # TODO(pwang): Adding a check if we found how to detect host's model.
-
-    def _verify_arc_hosts(self):
-        """Verify all hosts' Android configuration consistency.
-
-        This method should only be called after all hosts' Android has been
-        successfully booted up."""
-        # Check all hosts have same Android fingerprint.
-        fingerprint = set(self._run_adb_cmd(
-            host,
-            args=('shell', 'getprop', 'ro.build.fingerprint')).stdout
-            for host in self._hosts)
-        if len(fingerprint) > 1:
-            raise error.TestFail('Hosts\' supported fingerprint is different: '
-                                 '%s', fingerprint)
-
-    def _calculate_test_count_factor(self, bundle):
-        """ Calculate the multiplicative factor for the test case number.
-
-        The value equals to the times each test case is run, which is determined
-        by the intersection of the supported ABIs of the CTS/GTS bundle and that
-        of the tested device."""
-        # This is only a conservative approximation. Some suites only run the
-        # primary ABI, so to be fully precise, those have to be counted as 1.
-        arm_abis = set(('armeabi-v7a', 'arm64-v8a'))
-        x86_abis = set(('x86', 'x86_64'))
-        if bundle and bundle.startswith('arm'):
-            tradefed_abis = arm_abis
-        elif bundle and bundle.startswith('x86'):
-            tradefed_abis = x86_abis
-        else:
-            tradefed_abis = arm_abis | x86_abis
-        self._test_count_factor = len(set(self._get_abilist()) & tradefed_abis)
-        # Avoid setting timeout=0 (None) in any cases.
-        self._timeout_factor = max(1, self._test_count_factor)
-
-    def _get_adb_targets(self):
-        """Get a list of adb targets."""
-        return [self._get_adb_target(host) for host in self._hosts]
-
-    def _get_adb_target(self, host):
-        """Get the adb target format.
-
-        This method is slightly different from host.host_port as we need to
-        explicitly specify the port so the serial name of adb target would
-        match."""
-        if re.search(r':.*:', host.hostname):
-            # Add [] for raw IPv6 addresses, stripped for ssh.
-            # In the Python >= 3.3 future, 'import ipaddress' will parse
-            # addresses.
-            return '[{}]:{}'.format(host.hostname, host.port)
-        return '{}:{}'.format(host.hostname, host.port)
-
-    def _run_adb_cmd(self, host=None, **kwargs):
-        """Running adb command.
-
-        @param host: DUT that want to connect to. (None if the adb command is
-                     intended to run in the server. eg. keygen)
-        """
-        # As of N, tradefed could not specify which adb socket to use, which use
-        # tcp:localhost:5037 by default.
-        adb_global_option = ('-H', 'localhost', '-P', '5037')
-        if host:
-            host_port = self._get_adb_target(host)
-            adb_global_option = ('-s', host_port)
-        kwargs['args'] = adb_global_option + kwargs.get('args', ())
-        result = self._run('adb', **kwargs)
-        logging.info('adb %s:\n%s', ' '.join(kwargs.get('args')),
-                     result.stdout + result.stderr)
-        return result
-
-    def _try_adb_connect(self, host):
-        """Attempts to connect to adb on the DUT.
-
-        @param host: DUT that need to be connected.
-        @return boolean indicating if adb connected successfully.
-        """
-        # Add ADB_TRACE=all for debugging adb connection failures.
-        env = os.environ.copy()
-        env['ADB_TRACE'] = 'all'
-        try:
-            # This may fail return failure due to a race condition in adb
-            # connect (b/29370989). If adb is already connected, this command
-            # will immediately return success.
-            host_port = self._get_adb_target(host)
-            result = self._run_adb_cmd(
-                host, args=('connect', host_port), verbose=True, env=env,
-                ignore_status=True,
-                timeout=constants.ADB_CONNECT_TIMEOUT_SECONDS)
-            if result.exit_status != 0:
-                return False
-
-            result = self._run_adb_cmd(host, args=('devices',), env=env,
-                timeout=constants.ADB_CONNECT_TIMEOUT_SECONDS)
-            if not re.search(r'{}\s+(device|unauthorized)'.format(
-                    re.escape(host_port)), result.stdout):
-                logging.info('No result found in with pattern: %s',
-                             r'{}\s+(device|unauthorized)'.format(
-                                 re.escape(host_port)))
-                return False
-
-            # Actually test the connection with an adb command as there can be
-            # a race between detecting the connected device and actually being
-            # able to run a commmand with authenticated adb.
-            result = self._run_adb_cmd(
-                host, args=('shell', 'exit'), env=env, ignore_status=True,
-                timeout=constants.ADB_CONNECT_TIMEOUT_SECONDS)
-            return result.exit_status == 0
-        except error.CmdTimeoutError as e:
-            logging.warning(e)
-            return False
-
-    def _android_shell(self, host, command):
-        """Run a command remotely on the device in an android shell
-
-        This function is strictly for internal use only, as commands do not run
-        in a fully consistent Android environment. Prefer adb shell instead.
-        """
-        host.run('android-sh -c ' + pipes.quote(command))
-
-    def _connect_adb(self, host):
-        """Sets up ADB connection to the ARC container.
-
-        @param host: DUT that should be connected to.
-        """
-        logging.info('Setting up adb connection.')
-
-        # adbd may take some time to come up. Repeatedly try to connect to adb.
-        utils.poll_for_condition(
-            lambda: self._try_adb_connect(host),
-            timeout=constants.ADB_READY_TIMEOUT_SECONDS,
-            sleep_interval=constants.ADB_POLLING_INTERVAL_SECONDS)
-
-        logging.info('Successfully setup adb connection.')
-
-    def _wait_for_arc_boot(self, host):
-        """Wait until ARC is fully booted.
-
-        Tests for the presence of the intent helper app to determine whether ARC
-        has finished booting.
-        @param host: DUT that need to be connected to.
-        """
-
-        def _intent_helper_running():
-            result = self._run_adb_cmd(
-                host,
-                args=('shell', 'pgrep', '-f', 'org.chromium.arc.intent_helper'),
-                ignore_status=True)
-            return bool(result.stdout)
-
-        utils.poll_for_condition(
-            _intent_helper_running,
-            exception=error.TestFail(
-                'Error: Timed out waiting for intent helper.'),
-            timeout=constants.ARC_READY_TIMEOUT_SECONDS,
-            sleep_interval=constants.ARC_POLLING_INTERVAL_SECONDS)
-
-    def _disable_adb_install_dialog(self, host):
-        """Disables a dialog shown on adb install execution.
-
-        By default, on adb install execution, "Allow Google to regularly check
-        device activity ... " dialog is shown. It requires manual user action
-        so that tests are blocked at the point.
-        This method disables it.
-        """
-        logging.info('Disabling the adb install dialog.')
-        result = self._run_adb_cmd(
-            host,
-            verbose=True,
-            args=('shell', 'settings', 'put', 'global',
-                  'verifier_verify_adb_installs', '0'))
-        logging.info('Disable adb dialog: %s', result.stdout)
-
-        # Android "RescueParty" feature can reset the above settings when the
-        # device crashes often. Disable the rescue during testing.
-        # Keeping only for P and below since R has SELinux restrictions.
-        if self._get_android_version() < 29:
-            self._android_shell(host, 'setprop persist.sys.disable_rescue true')
-
-    def _ready_arc(self):
-        """Ready ARC and adb in parallel for running tests via tradefed."""
-        key_path = os.path.join(self.tmpdir, 'test_key')
-        with open(key_path, 'w') as f:
-            f.write(constants.PRIVATE_KEY)
-        os.environ['ADB_VENDOR_KEYS'] = key_path
-
-        for _ in range(2):
-            try:
-                # Kill existing adb server to ensure that the env var is picked
-                # up, and reset any previous bad state.
-                self._kill_adb_server()
-
-                # TODO(pwang): connect_adb takes 10+ seconds on a single DUT.
-                #              Parallelize it if it becomes a bottleneck.
-                for host in self._hosts:
-                    self._connect_adb(host)
-                    self._disable_adb_install_dialog(host)
-                    self._wait_for_arc_boot(host)
-                self._verify_arc_hosts()
-                return
-            except (utils.TimeoutError, error.CmdTimeoutError):
-                logging.error('Failed to set up adb connection. Retrying...')
-        raise error.TestFail('Error: Failed to set up adb connection')
-
-    def _safe_makedirs(self, path):
-        """Creates a directory at |path| and its ancestors.
-
-        Unlike os.makedirs(), ignore errors even if directories exist.
-        """
-        try:
-            os.makedirs(path)
-        except OSError as e:
-            if not (e.errno == errno.EEXIST and os.path.isdir(path)):
-                raise
-
-    def _unzip(self, filename):
-        """Unzip the file.
-
-        The destination directory name will be the stem of filename.
-        E.g., _unzip('foo/bar/baz.zip') will create directory at
-        'foo/bar/baz', and then will inflate zip's content under the directory.
-        If here is already a directory at the stem, that directory will be used.
-
-        @param filename: Path to the zip archive.
-        @return Path to the inflated directory.
-        """
-        destination = os.path.splitext(filename)[0]
-        if os.path.isdir(destination):
-            logging.info('Skipping unzip %s, reusing content of %s', filename,
-                         destination)
-            return destination
-        tmp = tempfile.mkdtemp(dir=os.path.dirname(filename))
-        logging.info('Begin unzip %s', filename)
-        try:
-            utils.run('unzip', args=('-d', tmp, filename))
-        except:
-            logging.error('Failed unzip, cleaning up.')
-            # Clean up just created files.
-            shutil.rmtree(tmp, ignore_errors=True)
-            raise
-        logging.info('End unzip %s', filename)
-        try:
-            os.renames(tmp, destination)
-        except:
-            logging.error('Failed rename, cleaning up.')
-            shutil.rmtree(destination, ignore_errors=True)
-            shutil.rmtree(tmp, ignore_errors=True)
-            raise
-        return destination
-
-    def _dir_size(self, directory):
-        """Compute recursive size in bytes of directory."""
-        size = 0
-        for root, _, files in os.walk(directory):
-            for name in files:
-                try:
-                    size += os.path.getsize(os.path.join(root, name))
-                except OSError:
-                    logging.error('Inaccessible path (crbug/793696): %s/%s',
-                                  root, name)
-        return size
-
-    def _invalidate_download_cache(self):
-        """Marks the download cache for deferred deletion.
-
-        Used to make cache file operations atomic across failures and reboots.
-        The caller is responsible to hold the lock to the cache.
-        """
-        if not os.path.exists(self._tradefed_cache_dirty):
-            os.mkdir(self._tradefed_cache_dirty)
-
-    def _validate_download_cache(self):
-        """Validates and unmarks the download cache from deletion.
-
-        Used to make cache file operations atomic across failures and reboots.
-        The caller is responsible to hold the lock to the cache.
-        """
-        shutil.rmtree(self._tradefed_cache_dirty, ignore_errors=True)
-
-    def _clean_download_cache_if_needed(self, force=False):
-        """Invalidates cache to prevent it from growing too large."""
-        # If the cache is large enough to hold a working set, we can simply
-        # delete everything without thrashing.
-        # TODO(ihf): Investigate strategies like LRU.
-        clean = force
-        with tradefed_utils.lock(self._tradefed_cache_lock):
-            size = self._dir_size(self._tradefed_cache)
-            if size > constants.TRADEFED_CACHE_MAX_SIZE:
-                logging.info(
-                    'Current cache size=%d got too large. Clearing %s.', size,
-                    self._tradefed_cache)
-                clean = True
-            else:
-                logging.info('Current cache size=%d of %s.', size,
-                             self._tradefed_cache)
-            if os.path.exists(self._tradefed_cache_dirty):
-                logging.info('Found dirty cache.')
-                clean = True
-            if clean:
-                logging.warning('Cleaning download cache.')
-                shutil.rmtree(self._tradefed_cache, ignore_errors=True)
-                self._safe_makedirs(self._tradefed_cache)
-                shutil.rmtree(self._tradefed_cache_dirty, ignore_errors=True)
-
-    def _download_to_cache(self, uri):
-        """Downloads the uri from the storage server.
-
-        It always checks the cache for available binaries first and skips
-        download if binaries are already in cache.
-
-        The caller of this function is responsible for holding the cache lock.
-
-        @param uri: The Google Storage, dl.google.com or local uri.
-        @return Path to the downloaded object, name.
-        """
-        # We are hashing the uri instead of the binary. This is acceptable, as
-        # the uris are supposed to contain version information and an object is
-        # not supposed to be changed once created.
-        output_dir = os.path.join(self._tradefed_cache,
-                                  hashlib.md5(uri).hexdigest())
-        # Check for existence of cache entry. We check for directory existence
-        # instead of file existence, so that _install_bundle can delete original
-        # zip files to save disk space.
-        if os.path.exists(output_dir):
-            # TODO(crbug.com/800657): Mitigation for the invalid state. Normally
-            # this should not happen, but when a lock is force borken due to
-            # high IO load, multiple processes may enter the critical section
-            # and leave a bad state permanently.
-            if os.listdir(output_dir):
-                logging.info('Skipping download of %s, reusing content of %s.',
-                             uri, output_dir)
-                return os.path.join(output_dir,
-                    os.path.basename(urlparse.urlparse(uri).path))
-            logging.error('Empty cache entry detected %s', output_dir)
-        return self._download_to_dir(uri, output_dir)
-
-    def _download_to_dir(self, uri, output_dir):
-        """Downloads the gs|http|https|file uri from the storage server.
-
-        @param uri: The Google Storage, dl.google.com or local uri.
-        @output_dir: The directory where the downloaded file should be placed.
-        @return Path to the downloaded object, name.
-        """
-        # Split uri into 3 pieces for use by gsutil and also by wget.
-        parsed = urlparse.urlparse(uri)
-        filename = os.path.basename(parsed.path)
-        output = os.path.join(output_dir, filename)
-
-        self._safe_makedirs(output_dir)
-        if parsed.scheme not in ['gs', 'http', 'https', 'file']:
-            raise error.TestFail(
-                'Error: Unknown download scheme %s' % parsed.scheme)
-        if parsed.scheme in ['http', 'https']:
-            logging.info('Using wget to download %s to %s.', uri, output_dir)
-            # We are downloading 1 file at a time, hence using -O over -P.
-            utils.run(
-                'wget',
-                args=('--report-speed=bits', '-O', output, uri),
-                verbose=True)
-            return output
-
-        if parsed.scheme in ['file']:
-            logging.info('Copy the local file from %s to %s.', parsed.path,
-                         output_dir)
-            utils.run(
-                'cp',
-                args=('-f', parsed.path, output),
-                verbose=True)
-            return output
-
-        # If the machine can access to the storage server directly,
-        # defer to "gsutil" for downloading.
-        logging.info('Downloading %s directly to %s.', uri, output)
-        # b/17445576: gsutil rsync of individual files is not implemented.
-        res = utils.run('gsutil',
-                        args=('cp', uri, output),
-                        verbose=True,
-                        ignore_status=True)
-        if not res or res.exit_status != 0:
-            logging.warning('Retrying download...')
-            utils.run('gsutil', args=('cp', uri, output), verbose=True)
-        return output
-
-    def _instance_copyfile(self, cache_path):
-        """Makes a copy of a file from the (shared) cache to a wholy owned
-        local instance. Also copies one level of cache directoy (MD5 named).
-        """
-        filename = os.path.basename(cache_path)
-        dirname = os.path.basename(os.path.dirname(cache_path))
-        instance_dir = os.path.join(self._tradefed_install, dirname)
-        # Make sure destination directory is named the same.
-        self._safe_makedirs(instance_dir)
-        instance_path = os.path.join(instance_dir, filename)
-        shutil.copyfile(cache_path, instance_path)
-        return instance_path
-
-    def _instance_copytree(self, cache_path):
-        """Makes a copy of a directory from the (shared and writable) cache to
-        a wholy owned local instance.
-
-        TODO(ihf): Consider using cp -al to only copy links. Not sure if this
-        is really a benefit across the container boundary, but it is risky due
-        to the possibility of corrupting the original files by an lxc instance.
-        """
-        # We keep the top 2 names from the cache_path = .../dir1/dir2.
-        dir2 = os.path.basename(cache_path)
-        dir1 = os.path.basename(os.path.dirname(cache_path))
-        instance_path = os.path.join(self._tradefed_install, dir1, dir2)
-        # TODO(kinaba): Fix in a safer way.
-        # Below is a workaround to avoid copying large CTS/GTS tree in test lab.
-        # Contents of $cache_path/android-cts are symlinked to the destination
-        # rather than copied.
-        #  1) Why not symlink 'android-cts' itself? Because the tests will
-        #     create results/ logs/ subplans/ subdirectory there. We do not
-        #     want to write to the shared cache.
-        #  2) Why not hardlink? Cache and the local directory may be on
-        #     different mount points, so hardlink may not work.
-        #  3) Why this isn't safe? Cache is cleared when it became full, even
-        #     during the test is run on an instance.
-        #  4) Why this is acceptable despite the unsatefy? Cache clearance is
-        #     a rare event (once in 6 months). Skylab drones won't usually
-        #     live that long, and even if it did, the failure is once in 6
-        #     months after all.
-        special_src = None
-        special_dest = None
-        if utils.is_in_container() and not client_utils.is_moblab():
-            for xts_name in ['android-cts', 'android-gts', 'android-sts']:
-                xts_root = os.path.join(cache_path, xts_name)
-                if os.path.exists(xts_root):
-                    special_src = xts_root
-                    special_dest = os.path.join(instance_path, xts_name)
-                    break
-        if special_src:
-            logging.info('SYMLINK&COPY contents of %s to instance %s',
-                         cache_path, instance_path)
-            self._safe_makedirs(special_dest)
-            for entry in os.listdir(special_src):
-                # Subdirectories are created by relative path from
-                # tools/cts_tradefed. So for 'tools' dir we copy.
-                if entry == 'tools':
-                    shutil.copytree(os.path.join(special_src, entry),
-                                    os.path.join(special_dest, entry))
-                else:
-                    os.symlink(os.path.join(special_src, entry),
-                               os.path.join(special_dest, entry))
-        else:
-            logging.info('Copying %s to instance %s', cache_path,
-                         instance_path)
-            shutil.copytree(cache_path, instance_path)
-        return instance_path
-
-    def _install_bundle(self, gs_uri):
-        """Downloads a zip file, installs it and returns the local path.
-
-        @param gs_uri: GS bucket that contains the necessary files.
-        """
-        if not gs_uri.endswith('.zip'):
-            raise error.TestFail('Error: Not a .zip file %s.', gs_uri)
-        # Atomic write through of file.
-        with tradefed_utils.lock(self._tradefed_cache_lock):
-            # Atomic operations.
-            self._invalidate_download_cache()
-            # Download is lazy (cache_path may not actually exist if
-            # cache_unzipped does).
-            cache_path = self._download_to_cache(gs_uri)
-            # Unzip is lazy as well (but cache_unzipped guaranteed to
-            # exist).
-            cache_unzipped = self._unzip(cache_path)
-            # To save space we delete the original zip file. This works as
-            # _download only checks existence of the cache directory for
-            # lazily skipping download, and unzip itself will bail if the
-            # unzipped destination exists. Hence we don't need the original
-            # anymore.
-            if os.path.exists(cache_path):
-                logging.info('Deleting original %s', cache_path)
-                os.remove(cache_path)
-            # Erase dirty marker from disk.
-            self._validate_download_cache()
-            # We always copy files to give tradefed a clean copy of the
-            # bundle.
-            unzipped_local = self._instance_copytree(cache_unzipped)
-        return unzipped_local
-
-    def _install_files(self, gs_dir, files, permission):
-        """Installs binary tools."""
-        for filename in files:
-            gs_uri = os.path.join(gs_dir, filename)
-            # Atomic write through of file.
-            with tradefed_utils.lock(self._tradefed_cache_lock):
-                # We don't want to leave a corrupt cache for other jobs.
-                self._invalidate_download_cache()
-                cache_path = self._download_to_cache(gs_uri)
-                # Mark cache as clean again.
-                self._validate_download_cache()
-                # This only affects the current job, so not part of cache
-                # validation.
-                local = self._instance_copyfile(cache_path)
-            os.chmod(local, permission)
-            # Keep track of PATH.
-            self._install_paths.append(os.path.dirname(local))
-
-    def _prepare_media(self, media_asset):
-        """Downloads and offers the cached media files to tradefed."""
-        if media_asset.uri:
-            media = self._install_bundle(media_asset.uri)
-            if os.path.islink(media_asset.localpath):
-                os.unlink(media_asset.localpath)
-            if os.path.isdir(media_asset.localpath):
-                shutil.rmtree(media_asset.localpath)
-            self._safe_makedirs(os.path.dirname(media_asset.localpath))
-            os.symlink(media, media_asset.localpath)
-
-            logging.info('Offered %s as a media directory in %s',
-                    media, media_asset.localpath)
-
-        # Records the number of existing media bundles, to check later.
-        if os.path.isdir(media_asset.localpath):
-            self._num_media_bundles = len(
-                    os.listdir(media_asset.localpath))
-
-    def _cleanup_media(self, media_asset):
-        """Clean up the local copy of cached media files."""
-        self._fail_on_unexpected_media_download(media_asset)
-        if os.path.islink(media_asset.localpath):
-            path = os.readlink(media_asset.localpath)
-            os.unlink(media_asset.localpath)
-            if os.path.isdir(path):
-                logging.info('Cleaning up media files in %s', path)
-                shutil.rmtree(path)
-
-    def _fail_on_unexpected_media_download(self, media_asset):
-        if os.path.isdir(media_asset.localpath):
-            contents = os.listdir(media_asset.localpath)
-            if len(contents) > self._num_media_bundles:
-                raise error.TestFail(
-                    'Failed: Unexpected media bundle was added %s' % contents)
-
-    def _fetch_helpers_from_dut(self):
-        """Fetches the CTS helpers from the dut and installs into the testcases
-           subdirectory of our local autotest copy.
-        """
-        tf_testcases = os.path.join(self._repository, 'testcases')
-
-        # Earlier checks enforce that each host has the same build fingerprint,
-        # so we can assume that the packages from the first host will work
-        # across the whole set.
-        package_list = self._run_adb_cmd(
-                self._hosts[0],
-                args=('shell', 'getprop',
-                      constants.TRADEFED_CTS_HELPERS_PROPERTY)).stdout.strip()
-        for pkg in package_list.split(':'):
-            if not pkg:
-                continue
-            apk_name = pkg + '.apk'
-            logging.info('Installing CTS helper package %s to %s', apk_name,
-                         tf_testcases)
-            self._hosts[0].get_file(
-                    os.path.join(constants.BOARD_CTS_HELPERS_DIR, apk_name),
-                    tf_testcases)
-
-    def _run(self, *args, **kwargs):
-        """Executes the given command line.
-
-        To support SDK tools, such as adb or aapt, this adds _install_paths
-        to the extra_paths. Before invoking this, ensure _install_files() has
-        been called.
-        """
-        kwargs['extra_paths'] = (
-            kwargs.get('extra_paths', []) + self._install_paths)
-        return utils.run(*args, **kwargs)
-
-    def _collect_tradefed_global_log(self, result, destination):
-        """Collects the tradefed global log.
-
-        @param result: The result object from utils.run.
-        @param destination: Autotest result directory (destination of logs).
-        """
-        match = re.search(r'Saved log to /tmp/(tradefed_global_log_.*\.txt)',
-                          result.stdout)
-        if not match:
-            logging.debug(result.stdout)
-            logging.error('no tradefed_global_log file is found')
-            return
-
-        name = match.group(1)
-        dest = os.path.join(destination, 'logs', 'tmp')
-        self._safe_makedirs(dest)
-        shutil.copy(os.path.join('/tmp', name), os.path.join(dest, name))
-
-    def _get_expected_failures(self, directory, bundle_abi):
-        """Return a list of expected failures or no test module.
-
-        @param directory: A directory with expected no tests or failures files.
-        @param bundle_abi: 'arm' or 'x86' if the test is for the particular ABI.
-                           None otherwise (like GTS, built for multi-ABI.)
-        @return: A list of expected failures or no test modules for the current
-                 testing device.
-        """
-        # Load waivers and manual tests so TF doesn't re-run them.
-        expected_fail_files = []
-        test_board = self._get_board_name()
-        test_model = self._get_model_name()
-        test_arch = self._get_board_arch()
-        sdk_ver = self._get_android_version()
-        first_api_level = self._get_first_api_level()
-        expected_fail_dir = os.path.join(self.bindir, directory)
-        if os.path.exists(expected_fail_dir):
-            expected_fail_files += glob.glob(expected_fail_dir + '/*.yaml')
-
-        waivers = cts_expected_failure_parser.ParseKnownCTSFailures(
-            expected_fail_files)
-        return waivers.find_waivers(test_arch, test_board, test_model,
-                                    bundle_abi, sdk_ver, first_api_level)
-
-    def _get_abilist(self):
-        """Return the abilist supported by calling adb command.
-
-        This method should only be called after the android environment is
-        successfully initialized."""
-        if not self._abilist:
-            for _ in range(3):
-                abilist_str = self._run_adb_cmd(
-                    self._hosts[0],
-                    args=('shell', 'getprop',
-                          'ro.product.cpu.abilist')).stdout.strip()
-                if abilist_str:
-                    self._abilist = abilist_str.split(',')
-                    break
-                else:
-                    # TODO(kinaba): Sometimes getprop returns an empty string.
-                    # Investigate why. For now we mitigate the bug by retries.
-                    logging.error('Empty abilist.')
-        return self._abilist
-
-    def _get_release_branch_number(self):
-        """Returns the DUT branch number (z of Rxx-yyyyy.z.w) or 0 on error."""
-        if not self._release_branch_number:
-            ver = (self._hosts[0].get_release_version() or '').split('.')
-            self._release_branch_number = (int(ver[1]) if len(ver) >= 3 else 0)
-        return self._release_branch_number
-
-    def _get_board_arch(self):
-        """Return target DUT arch name."""
-        if not self._board_arch:
-            self._board_arch = ('arm' if self._hosts[0].get_cpu_arch() == 'arm'
-                else 'x86')
-        return self._board_arch
-
-    def _get_board_name(self):
-        """Return target DUT board name."""
-        if not self._board_name:
-            self._board_name = self._hosts[0].get_board().split(':')[1]
-        return self._board_name
-
-    def _get_model_name(self):
-        """Return target DUT model name."""
-        if not self._model_name:
-            self._model_name = self._hosts[0].get_model_from_cros_config()
-        return self._model_name
-
-    def _get_android_version(self):
-        """Return target DUT Android SDK version"""
-        # TODO(kinaba): factor this out to server/hosts/cros_host.py
-        if not self._android_version:
-            self._android_version = self._hosts[0].run(
-                'grep ANDROID_SDK /etc/lsb-release',
-                ignore_status=True).stdout.rstrip().split('=')[1]
-        return int(self._android_version)
-
-    def _get_first_api_level(self):
-        """Return target DUT Android first API level."""
-        if not self._first_api_level:
-            self._first_api_level = self._hosts[0].get_arc_first_api_level()
-        return int(self._first_api_level)
-
-    def _get_max_retry(self, max_retry):
-        """Return the maximum number of retries.
-
-        @param max_retry: max_retry specified in the control file.
-        @return: number of retries for this specific host.
-        """
-        if max_retry is None:
-            max_retry = self._get_branch_retry(self._BRANCH_DEFAULT_RETRY)
-        candidate = [max_retry]
-        candidate.append(self._get_board_retry())
-        candidate.append(self._get_branch_retry(self._BRANCH_MAX_RETRY))
-        return min(x for x in candidate if x is not None)
-
-    def _get_board_retry(self):
-        """Return the maximum number of retries for DUT board name.
-
-        @return: number of max_retry or None.
-        """
-        board = self._get_board_name()
-        if board in self._BOARD_MAX_RETRY:
-            return self._BOARD_MAX_RETRY[board]
-        logging.info('No board retry specified for board: %s', board)
-        return None
-
-    def _get_branch_retry(self, table):
-        """Returns the retry count for DUT branch number defined in |table|."""
-        number = self._get_release_branch_number()
-        for lowerbound, retry in reversed(table):
-            if lowerbound <= number:
-                return retry
-        logging.warning('Could not establish channel. Using retry=0.')
-        return 0
-
-    def _run_commands(self, commands, **kwargs):
-        """Run commands on all the hosts."""
-        for host in self._hosts:
-            for command in commands:
-                logging.info('RUN: %s\n', command)
-                output = host.run(command, **kwargs)
-                logging.info('END: %s\n', command)
-                logging.debug(output)
-
-    def _override_powerd_prefs(self):
-        """Overrides powerd prefs to prevent screen from turning off, complying
-        with CTS requirements.
-
-        This is a remote version of PowerPrefChanger which ensures overrided
-        policies won't persist across reboots by bind-mounting onto the config
-        directory.
-        """
-        pref_dir = constants.POWERD_PREF_DIR
-        temp_dir = constants.POWERD_TEMP_DIR
-        commands = (
-                'cp -r %s %s' % (pref_dir, temp_dir),
-                'echo 1 > %s/ignore_external_policy' % temp_dir,
-                'echo 0 | tee %s/{,un}plugged_{dim,off,suspend}_ms' % temp_dir,
-                'mount --bind %s %s' % (temp_dir, pref_dir),
-                'restart powerd',
-        )
-        try:
-            self._run_commands(commands)
-        except (error.AutoservRunError, error.AutoservSSHTimeout):
-            logging.warning('Failed to override powerd policy, tests depending '
-                            'on screen being always on may fail.')
-
-    def _restore_powerd_prefs(self):
-        """Restores powerd prefs overrided by _override_powerd_prefs()."""
-        pref_dir = constants.POWERD_PREF_DIR
-        temp_dir = constants.POWERD_TEMP_DIR
-        commands = (
-                'umount %s' % pref_dir,
-                'restart powerd',
-                'rm -rf %s' % temp_dir,
-        )
-        try:
-            self._run_commands(commands)
-        except (error.AutoservRunError, error.AutoservSSHTimeout):
-            logging.warning('Failed to restore powerd policy, overrided policy '
-                            'will persist until device reboot.')
-
-    def _clean_crash_logs(self):
-        try:
-            self._run_commands(['rm -f /home/chronos/crash/*'])
-        except (error.AutoservRunError, error.AutoservSSHTimeout):
-            logging.warning('Failed to clean up crash logs.')
-
-    def _run_and_parse_tradefed(self, command):
-        """Kick off the tradefed command.
-
-        @param command: Lists of command tokens.
-        @raise TestFail: when a test failure is detected.
-        @return: tuple of (tests, pass, fail, notexecuted) counts.
-        """
-        target_argument = []
-        for host in self._hosts:
-            target_argument += ['-s', self._get_adb_target(host)]
-        shard_argument = []
-        if len(self._hosts) > 1:
-            if self._SHARD_CMD:
-                shard_argument = [self._SHARD_CMD, str(len(self._hosts))]
-            else:
-                logging.warning('cts-tradefed shard command isn\'t defined, '
-                                'falling back to use single device.')
-        command = command + target_argument + shard_argument
-
-        try:
-            output = self._run_tradefed(command)
-        except Exception as e:
-            self._log_java_version()
-            if not isinstance(e, error.CmdTimeoutError):
-                # In case this happened due to file corruptions, try to
-                # force to recreate the cache.
-                logging.error('Failed to run tradefed! Cleaning up now.')
-                self._clean_download_cache_if_needed(force=True)
-            raise
-
-        result_destination = self._default_tradefed_base_dir()
-        # Gather the global log first. Datetime parsing below can abort the test
-        # if tradefed startup had failed. Even then the global log is useful.
-        self._collect_tradefed_global_log(output, result_destination)
-        # Result parsing must come after all other essential operations as test
-        # warnings, errors and failures can be raised here.
-        base = self._default_tradefed_base_dir()
-        path = tradefed_utils.get_test_result_xml_path(base)
-        return tradefed_utils.parse_tradefed_testresults_xml(
-            test_result_xml_path=path,
-            waivers=self._waivers)
-
-    def _setup_result_directories(self):
-        """Sets up the results and logs directories for tradefed.
-
-        Tradefed saves the logs and results at:
-          self._repository/results/$datetime/
-          self._repository/results/$datetime.zip
-          self._repository/logs/$datetime/
-        Because other tools rely on the currently chosen Google storage paths
-        we need to keep destination_results in:
-          self.resultsdir/android-cts/results/$datetime/
-          self.resultsdir/android-cts/results/$datetime.zip
-          self.resultsdir/android-cts/results/logs/$datetime/
-        To bridge between them, create symlinks from the former to the latter.
-        """
-        logging.info('Setting up tradefed results and logs directories.')
-
-        results_destination = self._default_tradefed_base_dir()
-        logs_destination = os.path.join(results_destination, 'logs')
-        directory_mapping = [
-            (os.path.join(self._repository, 'results'), results_destination),
-            (os.path.join(self._repository, 'logs'), logs_destination),
-        ]
-
-        for (tradefed_path, final_path) in directory_mapping:
-            if os.path.exists(tradefed_path):
-                shutil.rmtree(tradefed_path)
-            self._safe_makedirs(final_path)
-            os.symlink(final_path, tradefed_path)
-
-    def _default_tradefed_base_dir(self):
-        return os.path.join(self.resultsdir, self._get_tradefed_base_dir())
-
-    def _install_plan(self, subplan):
-        """Copy test subplan to CTS-TF.
-
-        @param subplan: CTS subplan to be copied into TF.
-        """
-        logging.info('Install subplan: %s', subplan)
-        subplans_tf_dir = os.path.join(self._repository, 'subplans')
-        if not os.path.exists(subplans_tf_dir):
-            os.makedirs(subplans_tf_dir)
-        test_subplan_file = os.path.join(self.bindir, 'subplans',
-                                         '%s.xml' % subplan)
-        try:
-            shutil.copy(test_subplan_file, subplans_tf_dir)
-        except (shutil.Error, OSError, IOError) as e:
-            raise error.TestFail(
-                'Error: failed to copy test subplan %s to CTS bundle. %s' %
-                (test_subplan_file, e))
-
-    def _should_skip_test(self, _bundle):
-        """Some tests are expected to fail and are skipped.
-
-        Subclasses should override with specific details.
-        """
-        return False
-
-    def _should_reboot(self, steps):
-        """Oracle to decide if DUT should reboot or just restart Chrome.
-
-        For now we will not reboot after the first two iterations, but on all
-        iterations afterward as before. In particular this means that most CTS
-        tests will now not get a "clean" machine, but one on which tests ran
-        before. But we will still reboot after persistent failures, hopefully
-        not causing too many flakes down the line.
-        """
-        if steps < 3:
-            return False
-        return True
-
-    def _copy_extra_artifacts_dut(self, extra_artifacts, host, output_dir):
-        """ Upload the custom artifacts """
-        self._safe_makedirs(output_dir)
-
-        for artifact in extra_artifacts:
-            logging.info('Copying extra artifacts from "%s" to "%s".',
-                         artifact, output_dir)
-            try:
-                self._run_adb_cmd(host, verbose=True, timeout=120,
-                                  args=('pull', artifact, output_dir))
-            except:
-                # Maybe ADB connection failed, or the artifacts don't exist.
-                logging.exception('Copying extra artifacts failed.')
-
-    def _copy_extra_artifacts_host(self, extra_artifacts, host, output_dir):
-        """ Upload the custom artifacts """
-        self._safe_makedirs(output_dir)
-
-        for artifact in extra_artifacts:
-            logging.info('Copying extra artifacts from "%s" to "%s".',
-                         artifact, output_dir)
-            for extracted_path in glob.glob(artifact):
-                logging.info('... %s', extracted_path)
-                # Move it not to collect it again in future retries.
-                shutil.move(extracted_path, output_dir)
-
-    def _run_tradefed_list_results(self):
-        """Run the `tradefed list results` command.
-
-        @return: tuple of the last (session_id, pass, fail, all_done?).
-        """
-
-        # Fix b/143580192: We set the timeout to 3 min. It never takes more than
-        # 10s on light disk load.
-        output = self._run_tradefed_with_timeout(['list', 'results'], 180)
-
-        # Parses the last session from the output that looks like:
-        #
-        # Session  Pass  Fail  Modules Complete ...
-        # 0        90    10    1 of 2
-        # 1        199   1     2 of 2
-        # ...
-        lastmatch = None
-        for m in re.finditer(r'^(\d+)\s+(\d+)\s+(\d+)\s+(\d+) of (\d+)',
-                             output.stdout, re.MULTILINE):
-            session, passed, failed, done, total = map(int,
-                                                       m.group(1, 2, 3, 4, 5))
-            lastmatch = (session, passed, failed, done == total)
-        return lastmatch
-
-    def _tradefed_retry_command(self, template, session_id):
-        raise NotImplementedError('Subclass should override this function')
-
-    def _tradefed_run_command(self, template):
-        raise NotImplementedError('Subclass should override this function')
-
-    def _tradefed_cmd_path(self):
-        raise NotImplementedError('Subclass should override this function')
-
-    def _tradefed_env(self):
-        return None
-
-    def _run_tradefed_with_timeout(self, command, timeout):
-        tradefed = self._tradefed_cmd_path()
-        with tradefed_utils.adb_keepalive(self._get_adb_targets(),
-                                          self._install_paths):
-            logging.info('RUN(timeout=%d): %s', timeout,
-                         ' '.join([tradefed] + command))
-            output = self._run(
-                tradefed,
-                args=tuple(command),
-                env=self._tradefed_env(),
-                timeout=timeout,
-                verbose=True,
-                ignore_status=False,
-                # Make sure to tee tradefed stdout/stderr to autotest logs
-                # continuously during the test run.
-                stdout_tee=utils.TEE_TO_LOGS,
-                stderr_tee=utils.TEE_TO_LOGS)
-            logging.info('END: %s\n', ' '.join([tradefed] + command))
-        return output
-
-    def _run_tradefed(self, command):
-        timeout = self._timeout * self._timeout_factor
-        if self._job_deadline is not None:
-            clipped = int(min(timeout, self._job_deadline - time.time()))
-            # Even the shortest tradefed run takes 1.5 minutes. Took 2x'ed
-            # value as a threshold that a meaningful test can run.
-            if clipped < 3 * 60:
-                raise error.TestError(
-                        'Hitting job time limit: only %s seconds left' %
-                        clipped)
-            timeout = clipped
-        return self._run_tradefed_with_timeout(command, timeout)
-
-    def _run_tradefed_with_retries(self,
-                                   test_name,
-                                   run_template,
-                                   retry_template,
-                                   timeout,
-                                   media_asset=None,
-                                   enable_default_apps=False,
-                                   target_module=None,
-                                   target_plan=None,
-                                   executable_test_count=None,
-                                   bundle=None,
-                                   use_helpers=False,
-                                   extra_artifacts=[],
-                                   extra_artifacts_host=[],
-                                   login_precondition_commands=[],
-                                   precondition_commands=[],
-                                   prerequisites=[]):
-        """Run CTS/GTS with retry logic.
-
-        We first kick off the specified module. Then rerun just the failures
-        on the next MAX_RETRY iterations.
-        """
-        for prereq in prerequisites:
-            result = tradefed_prerequisite.check(prereq, self._hosts)
-            if not result[0]:
-                raise error.TestError(result[1])
-
-        # On dev and beta channels timeouts are sharp, lenient on stable.
-        self._timeout = timeout
-        if (self._get_release_branch_number() >=
-                constants.APPROXIMATE_STABLE_BRANCH_NUMBER):
-            self._timeout += 3600
-
-        if self._should_skip_test(bundle):
-            logging.warning('Skipped test %s', ' '.join(test_name))
-            return
-
-        steps = -1  # For historic reasons the first iteration is not counted.
-        self.summary = ''
-        board = self._get_board_name()
-        session_id = None
-        nativebridge64_experiment = (self._get_release_branch_number() == 0)
-
-        self._setup_result_directories()
-        if media_asset:
-            self._prepare_media(media_asset)
-
-        # This loop retries failures. For this reason please do not raise
-        # TestFail in this loop if you suspect the failure might be fixed
-        # in the next loop iteration.
-        while steps < self._max_retry:
-            steps += 1
-            keep_media = media_asset and media_asset.uri and steps >= 1
-            self._run_commands(login_precondition_commands, ignore_status=True)
-            # TODO(kinaba): Make it a general config (per-model choice
-            # of tablet,clamshell,default) if the code below works.
-            if utils.is_in_container() and not client_utils.is_moblab():
-                # Force all hatch devices run the test in laptop mode,
-                # regardless of their physical placement.
-                if board == 'hatch' or board == 'hatch-arc-r':
-                    self._run_commands(
-                        ['inject_powerd_input_event --code=tablet --value=0'],
-                        ignore_status=True)
-
-            session_log_dir = os.path.join(self.resultsdir,
-                                           'login_session_log',
-                                           'step%02d' % steps)
-            with login.login_chrome(hosts=self._hosts,
-                                    board=board,
-                                    dont_override_profile=keep_media,
-                                    enable_default_apps=enable_default_apps,
-                                    nativebridge64=nativebridge64_experiment,
-                                    log_dir=session_log_dir) as current_logins:
-                if self._should_reboot(steps):
-                    # TODO(rohitbm): Evaluate if power cycle really helps with
-                    # Bluetooth test failures, and then make the implementation
-                    # more strict by first running complete restart and reboot
-                    # retries and then perform power cycle.
-                    #
-                    # Currently, (steps + 1 == self._max_retry) means that
-                    # hard_reboot is attempted after "this" cycle failed. Then,
-                    # the last remaining 1 step will be run on the rebooted DUT.
-                    hard_reboot = (self._hard_reboot_on_failure
-                        and steps + 1 == self._max_retry)
-                    for current_login in current_logins:
-                        current_login.need_reboot(hard_reboot=hard_reboot)
-                self._ready_arc()
-                self._calculate_test_count_factor(bundle)
-
-                # Check the ABI list and skip (pass) the tests if not applicable.
-                # This needs to be done after _ready_arc() for reading the device's
-                # ABI list from the booted ARC instance.
-                if '--abi' in run_template:
-                    abi = run_template[run_template.index('--abi') + 1]
-                    abilist = self._get_abilist()
-                    if abilist and abi not in abilist:
-                        logging.info(
-                                'Specified ABI %s is not in the device ABI list %s. Skipping.',
-                                abi, abilist)
-                        return
-
-                self._run_commands(precondition_commands, ignore_status=True)
-                if use_helpers:
-                    self._fetch_helpers_from_dut()
-
-                # Run tradefed.
-                if session_id == None:
-                    if target_plan is not None:
-                        self._install_plan(target_plan)
-
-                    logging.info('Running %s:', test_name)
-                    command = self._tradefed_run_command(run_template)
-                else:
-                    logging.info('Retrying failures of %s with session_id %d:',
-                                 test_name, session_id)
-                    command = self._tradefed_retry_command(retry_template,
-                                                           session_id)
-
-                if media_asset and media_asset.uri:
-                    # Clean-up crash logs from previous sessions to ensure
-                    # enough disk space for 16GB storage devices: b/156075084.
-                    if not keep_media:
-                        self._clean_crash_logs()
-                # TODO(b/182397469): speculatively disable the "screen-on"
-                # handler for dEQP. Revert when the issue is resolved.
-                keep_screen_on = not (target_module
-                                      and "CtsDeqpTestCases" in target_module)
-                if keep_screen_on:
-                    self._override_powerd_prefs()
-                try:
-                    waived_tests = self._run_and_parse_tradefed(command)
-                finally:
-                    if keep_screen_on:
-                        self._restore_powerd_prefs()
-                if media_asset:
-                    self._fail_on_unexpected_media_download(media_asset)
-                result = self._run_tradefed_list_results()
-                if not result:
-                    logging.error('Did not find any test results. Retry.')
-                    for current_login in current_logins:
-                        current_login.need_reboot()
-                    continue
-
-                last_waived = len(waived_tests)
-                last_session_id, last_passed, last_failed, last_all_done =\
-                    result
-
-                if last_failed > last_waived or not utils.is_in_container():
-                    for host in self._hosts:
-                        dir_name = "%s-step%02d" % (host.hostname, steps)
-                        output_dir = os.path.join(
-                            self.resultsdir, 'extra_artifacts', dir_name)
-                        self._copy_extra_artifacts_dut(
-                            extra_artifacts, host, output_dir)
-                        self._copy_extra_artifacts_host(
-                            extra_artifacts_host, host, output_dir)
-
-                if last_passed + last_failed > 0:
-                    # At least one test had run, which means the media push step
-                    # of tradefed didn't fail. To free up the storage earlier,
-                    # delete the copy on the server side. See crbug.com/970881
-                    if media_asset:
-                        self._cleanup_media(media_asset)
-
-                if last_failed < last_waived:
-                    logging.error(
-                        'Error: Internal waiver bookkeeping has become '
-                        'inconsistent (f=%d, w=%d)', last_failed, last_waived)
-
-                msg = 'run' if session_id == None else ' retry'
-                msg += '(p=%s, f=%s, w=%s)' % (last_passed, last_failed,
-                                               last_waived)
-                self.summary += msg
-                logging.info('RESULT: %s %s', msg, result)
-
-                # Overwrite last_all_done if the executed test count is equal
-                # to the known test count of the job.
-                if (not last_all_done and executable_test_count != None and
-                    (last_passed + last_failed in executable_test_count)):
-                    logging.warning('Overwriting all_done as True, since the '
-                                    'explicitly set executable_test_count '
-                                    'tests have run.')
-                    last_all_done = True
-
-                # Check for no-test modules. We use the "all_done" indicator
-                # provided by list_results to decide if there are outstanding
-                # modules to iterate over (similar to missing tests just on a
-                # per-module basis).
-                notest = (last_passed + last_failed == 0 and last_all_done)
-                if target_module in self._notest_modules:
-                    if notest:
-                        logging.info('Package has no tests as expected.')
-                        return
-                    else:
-                        # We expected no tests, but the new bundle drop must
-                        # have added some for us. Alert us to the situation.
-                        raise error.TestFail(
-                            'Failed: Remove module %s from '
-                            'notest_modules directory!' % target_module)
-                elif notest:
-                    logging.error('Did not find any tests in module. Hoping '
-                                  'this is transient. Retry after reboot.')
-                    for current_login in current_logins:
-                        current_login.need_reboot()
-                    continue
-
-                # After the no-test check, commit the pass/fail count.
-                waived = last_waived
-                session_id, passed, failed, all_done =\
-                    last_session_id, last_passed, last_failed, last_all_done
-
-                # Check if all the tests passed.
-                if failed <= waived and all_done:
-                    break
-
-                # TODO(b/127908450) Tradefed loses track of not-executed tests
-                # when the commandline pattern included '*', and retry run for
-                # them wrongly declares all tests passed. This is misleading.
-                # Rather, we give up the retry and report the result as FAIL.
-                if not all_done and '*' in ''.join(run_template):
-                    break
-
-        if session_id == None:
-            raise error.TestFail('Error: Could not find any tests in module.')
-
-        if failed <= waived and all_done:
-            # TODO(ihf): Make this error.TestPass('...') once
-            # available.
-            if steps > 0 and self._warn_on_test_retry:
-                raise error.TestWarn(
-                    'Passed: after %d retries passing %d tests, '
-                    'waived=%d. %s' % (steps, passed, waived,
-                                       self.summary))
-            return
-
-        raise error.TestFail(
-                'Failed: after %d retries giving up. '
-                'passed=%d, failed=%d, waived=%d%s. %s' %
-                (steps, passed, failed, waived,
-                 '' if all_done else ', notexec>=1', self.summary))
diff --git a/server/cros/tradefed/tradefed_utils.py b/server/cros/tradefed/tradefed_utils.py
deleted file mode 100644
index 508ba9c..0000000
--- a/server/cros/tradefed/tradefed_utils.py
+++ /dev/null
@@ -1,301 +0,0 @@
-# Copyright 2018 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-
-import contextlib
-import logging
-import os
-import random
-import re
-from xml.etree import ElementTree
-
-from autotest_lib.client.common_lib import utils as common_utils
-from autotest_lib.client.common_lib import error
-from autotest_lib.server.cros import lockfile
-
-PERF_MODULE_NAME_PREFIX = 'CTS.'
-
-@contextlib.contextmanager
-def lock(filename):
-    """Prevents other autotest/tradefed instances from accessing cache.
-
-    @param filename: The file to be locked.
-    """
-    filelock = lockfile.FileLock(filename)
-    # It is tempting just to call filelock.acquire(3600). But the implementation
-    # has very poor temporal granularity (timeout/10), which is unsuitable for
-    # our needs. See /usr/lib64/python2.7/site-packages/lockfile/
-    attempts = 0
-    total_wait_seconds = 0
-    while not filelock.i_am_locking():
-        try:
-            attempts += 1
-            logging.info('Waiting for cache lock...')
-            # Cap the wait by 2 minutes. Setting too long wait makes long-lived
-            # tasks to have less chance to obtain the lock, leading to failures.
-            # We must not use a random integer as the filelock implementations
-            # may underflow an integer division.
-            wait = min(120.0, random.uniform(0.0, pow(2.0, attempts)))
-            total_wait_seconds += wait
-            filelock.acquire(wait)
-        except (lockfile.AlreadyLocked, lockfile.LockTimeout):
-            # Our goal is to wait long enough to be sure something very bad
-            # happened to the locking thread. Wait 2 hours at maximum
-            if total_wait_seconds >= 7200:
-                # Normally we should acquire the lock immediately. Once we
-                # wait on the order of 10 minutes either the dev server IO is
-                # overloaded or a lock didn't get cleaned up. Take one for the
-                # team, break the lock and report a failure. This should fix
-                # the lock for following tests. If the failure affects more than
-                # one job look for a deadlock or dev server overload.
-                age = filelock.age_of_lock()
-                logging.error('Permanent lock failure. Lock age = %d.', age)
-                # Breaking a lock is a destructive operation that causes
-                # abort of locking jobs, cleanup and redowloading of cache
-                # contents. When the error was due to overloaded server,
-                # it cause even more cascade of lock errors. Wait 4 hours
-                # before breaking the lock. Tasks inside the critical section
-                # is about downloading a few gigabytes of files. Taking 4 hours
-                # strongly implies the job had went wrong.
-                if age > 4 * 60 * 60:
-                    logging.error('Trying to break lock.')
-                    filelock.break_lock()
-                raise error.TestFail('Error: permanent cache lock failure.')
-        else:
-            logging.info('Acquired cache lock after %d attempts.', attempts)
-    try:
-        yield
-    finally:
-        filelock.release()
-        logging.info('Released cache lock.')
-
-
-@contextlib.contextmanager
-def adb_keepalive(targets, extra_paths):
-    """A context manager that keeps the adb connection alive.
-
-    AdbKeepalive will spin off a new process that will continuously poll for
-    adb's connected state, and will attempt to reconnect if it ever goes down.
-    This is the only way we can currently recover safely from (intentional)
-    reboots.
-
-    @param target: the hostname and port of the DUT.
-    @param extra_paths: any additional components to the PATH environment
-                        variable.
-    """
-    from autotest_lib.client.common_lib.cros import adb_keepalive as module
-    # |__file__| returns the absolute path of the compiled bytecode of the
-    # module. We want to run the original .py file, so we need to change the
-    # extension back.
-    script_filename = module.__file__.replace('.pyc', '.py')
-    jobs = [common_utils.BgJob(
-        [script_filename, target],
-        nickname='adb_keepalive',
-        stderr_level=logging.DEBUG,
-        stdout_tee=common_utils.TEE_TO_LOGS,
-        stderr_tee=common_utils.TEE_TO_LOGS,
-        extra_paths=extra_paths) for target in targets]
-
-    try:
-        yield
-    finally:
-        # The adb_keepalive.py script runs forever until SIGTERM is sent.
-        for job in jobs:
-            common_utils.nuke_subprocess(job.sp)
-        common_utils.join_bg_jobs(jobs)
-
-
-def parse_tradefed_testresults_xml(test_result_xml_path, waivers=None):
-    """ Check the result from tradefed through test_results.xml
-    @param waivers: a set() of tests which are permitted to fail.
-    """
-    waived_count = dict()
-    failed_tests = set()
-    try:
-        root = ElementTree.parse(test_result_xml_path)
-        for module in root.iter('Module'):
-            module_name = module.get('name')
-            for testcase in module.iter('TestCase'):
-                testcase_name = testcase.get('name')
-                for test in testcase.iter('Test'):
-                    test_case = test.get('name')
-                    test_res = test.get('result')
-                    test_name = '%s#%s' % (testcase_name, test_case)
-
-                    if test_res == "fail":
-                        test_fail = test.find('Failure')
-                        failed_message = test_fail.get('message')
-                        failed_stacktrace = test_fail.find('StackTrace').text
-
-                        if waivers and test_name in waivers:
-                            waived_count[test_name] = (
-                                waived_count.get(test_name, 0) + 1)
-                        else:
-                            failed_tests.add(test_name)
-
-        # Check for test completion.
-        for summary in root.iter('Summary'):
-            modules_done = summary.get('modules_done')
-            modules_total = summary.get('modules_total')
-
-        if failed_tests:
-            logging.error('Failed (but not waived) tests:\n%s',
-                          '\n'.join(sorted(failed_tests)))
-
-        waived = []
-        for testname, fail_count in waived_count.items():
-            waived += [testname] * fail_count
-            logging.info('Waived failure for %s %d time(s)',
-                         testname, fail_count)
-        logging.info('>> Total waived = %s', waived)
-        return waived
-
-    except Exception as e:
-        logging.warning('Exception raised in '
-                        '|tradefed_utils.parse_tradefed_testresults_xml|: {'
-                        '0}'.format(e))
-        return []
-
-
-def parse_tradefed_result(result, waivers=None):
-    """Check the result from the tradefed output.
-
-    @param result: The result stdout string from the tradefed command.
-    @param waivers: a set() of tests which are permitted to fail.
-    @return List of the waived tests.
-    """
-    # Regular expressions for start/end messages of each test-run chunk.
-    abi_re = r'arm\S*|x86\S*'
-    # TODO(kinaba): use the current running module name.
-    module_re = r'\S+'
-    start_re = re.compile(r'(?:Start|Continu)ing (%s) %s with'
-                          r' (\d+(?:,\d+)?) test' % (abi_re, module_re))
-    end_re = re.compile(r'(%s) %s (?:complet|fail)ed in .*\.'
-                        r' (\d+) passed, (\d+) failed, (\d+) not executed' %
-                        (abi_re, module_re))
-    fail_re = re.compile(r'I/ConsoleReporter.* (\S+) fail:')
-    inaccurate_re = re.compile(r'IMPORTANT: Some modules failed to run to '
-                                'completion, tests counts may be inaccurate')
-    abis = set()
-    waived_count = dict()
-    failed_tests = set()
-    accurate = True
-    for line in result.splitlines():
-        match = start_re.search(line)
-        if match:
-            abis = abis.union([match.group(1)])
-            continue
-        match = end_re.search(line)
-        if match:
-            abi = match.group(1)
-            if abi not in abis:
-                logging.error('Trunk end with %s abi but have not seen '
-                              'any trunk start with this abi.(%s)', abi, line)
-            continue
-        match = fail_re.search(line)
-        if match:
-            testname = match.group(1)
-            if waivers and testname in waivers:
-                waived_count[testname] = waived_count.get(testname, 0) + 1
-            else:
-                failed_tests.add(testname)
-            continue
-        # b/66899135, tradefed may reported inaccuratly with `list results`.
-        # Add warning if summary section shows that the result is inacurrate.
-        match = inaccurate_re.search(line)
-        if match:
-            accurate = False
-
-    logging.info('Total ABIs: %s', abis)
-    if failed_tests:
-        logging.error('Failed (but not waived) tests:\n%s',
-            '\n'.join(sorted(failed_tests)))
-
-    # TODO(dhaddock): Find a more robust way to apply waivers.
-    waived = []
-    for testname, fail_count in waived_count.items():
-        if fail_count > len(abis):
-            # This should be an error.TestFail, but unfortunately
-            # tradefed has a bug that emits "fail" twice when a
-            # test failed during teardown. It will anyway causes
-            # a test count inconsistency and visible on the dashboard.
-            logging.error('Found %d failures for %s but there are only %d '
-                          'abis: %s', fail_count, testname, len(abis), abis)
-            fail_count = len(abis)
-        waived += [testname] * fail_count
-        logging.info('Waived failure for %s %d time(s)', testname, fail_count)
-    logging.info('Total waived = %s', waived)
-    return waived, accurate
-
-
-# A similar implementation in Java can be found at
-# https://android.googlesource.com/platform/test/suite_harness/+/refs/heads/\
-# pie-cts-dev/common/util/src/com/android/compatibility/common/util/\
-# ResultHandler.java
-def get_test_result_xml_path(results_destination):
-    """Get the path of test_result.xml from the last session.
-    Raises:
-        Should never raise!
-    """
-    try:
-        last_result_path = None
-        for dir in os.listdir(results_destination):
-            result_dir = os.path.join(results_destination, dir)
-            result_path = os.path.join(result_dir, 'test_result.xml')
-            # We use the lexicographically largest path, because |dir| are
-            # of format YYYY.MM.DD_HH.MM.SS. The last session will always
-            # have the latest date which leads to the lexicographically
-            # largest path.
-            if last_result_path and last_result_path > result_path:
-                continue
-            # We need to check for `islink` as `isdir` returns true if
-            # |result_dir| is a symbolic link to a directory.
-            if not os.path.isdir(result_dir) or os.path.islink(result_dir):
-                continue
-            if not os.path.exists(result_path):
-                continue
-            last_result_path = result_path
-        return last_result_path
-    except Exception as e:
-        logging.warning(
-            'Exception raised in '
-            '|tradefed_utils.get_test_result_xml_path|: {'
-            '0}'.format(e))
-
-
-def get_perf_metrics_from_test_result_xml(result_path, resultsdir):
-    """Parse test_result.xml and each <Metric /> is mapped to a dict that
-    can be used as kwargs of |TradefedTest.output_perf_value|.
-    Raises:
-        Should never raise!
-    """
-    try:
-        root = ElementTree.parse(result_path)
-        for module in root.iter('Module'):
-            module_name = module.get('name')
-            for testcase in module.iter('TestCase'):
-                testcase_name = testcase.get('name')
-                for test in testcase.iter('Test'):
-                    test_name = test.get('name')
-                    for metric in test.iter('Metric'):
-                        score_type = metric.get('score_type')
-                        if score_type not in ['higher_better', 'lower_better']:
-                            logging.warning(
-                                'Unsupported score_type in %s/%s/%s',
-                                module_name, testcase_name, test_name)
-                            continue
-                        higher_is_better = (score_type == 'higher_better')
-                        units = metric.get('score_unit')
-                        yield dict(
-                            description=testcase_name + '#' + test_name,
-                            value=metric[0].text,
-                            units=units,
-                            higher_is_better=higher_is_better,
-                            resultsdir=os.path.join(resultsdir, 'tests',
-                                PERF_MODULE_NAME_PREFIX + module_name)
-                        )
-    except Exception as e:
-        logging.warning(
-            'Exception raised in '
-            '|tradefed_utils.get_perf_metrics_from_test_result_xml|: {'
-            '0}'.format(e))
diff --git a/server/cros/tradefed/tradefed_utils_unittest.py b/server/cros/tradefed/tradefed_utils_unittest.py
deleted file mode 100644
index aa4f131..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest.py
+++ /dev/null
@@ -1,411 +0,0 @@
-# Copyright 2017 The Chromium OS Authors. All rights reserved.
-# Use of this source code is governed by a BSD-style license that can be
-# found in the LICENSE file.
-import os
-import unittest
-
-import common
-
-from autotest_lib.server.cros.tradefed import tradefed_utils
-
-
-def _load_data(filename):
-    """Loads the test data of the given file name."""
-    with open(os.path.join(os.path.dirname(os.path.realpath(__file__)),
-                           'tradefed_utils_unittest_data', filename), 'r') as f:
-        return f.read()
-
-
-class TradefedTestTest(unittest.TestCase):
-    """Unittest for tradefed_utils."""
-
-    def test_parse_tradefed_result(self):
-        """Test for parse_tradefed_result."""
-
-        waivers = set([
-            'android.app.cts.SystemFeaturesTest#testUsbAccessory',
-            'android.widget.cts.GridViewTest#testSetNumColumns',
-        ])
-
-        # b/35605415 and b/36520623
-        # http://pantheon/storage/browser/chromeos-autotest-results/108103986-chromeos-test/
-        # CTS: Tradefed may split a module to multiple chunks.
-        # Besides, the module name may not end with "TestCases".
-        waived, _ = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsHostsideNetworkTests.txt'),
-            waivers=waivers)
-        self.assertEquals(0, len(waived))
-
-        # b/35530394
-        # http://pantheon/storage/browser/chromeos-autotest-results/108291418-chromeos-test/
-        # Crashed, but the automatic retry by tradefed executed the rest.
-        waived, _ = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsMediaTestCases.txt'),
-            waivers=waivers)
-        self.assertEquals(0, len(waived))
-
-        # b/35530394
-        # http://pantheon/storage/browser/chromeos-autotest-results/106540705-chromeos-test/
-        # Crashed in the middle, and the device didn't came back.
-        waived, _ = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsSecurityTestCases.txt'),
-            waivers=waivers)
-        self.assertEquals(0, len(waived))
-
-        # b/36629187
-        # http://pantheon/storage/browser/chromeos-autotest-results/108855595-chromeos-test/
-        # Crashed in the middle. Tradefed decided not to continue.
-        waived, _ = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsViewTestCases.txt'),
-            waivers=waivers)
-        self.assertEquals(0, len(waived))
-
-        # b/36375690
-        # http://pantheon/storage/browser/chromeos-autotest-results/109040174-chromeos-test/
-        # Mixture of real failures and waivers.
-        waived, _ = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsAppTestCases.txt'),
-            waivers=waivers)
-        self.assertEquals(1, len(waived))
-        # ... and the retry of the above failing iteration.
-        waived, _ = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsAppTestCases-retry.txt'),
-            waivers=waivers)
-        self.assertEquals(1, len(waived))
-
-        # http://pantheon/storage/browser/chromeos-autotest-results/116875512-chromeos-test/
-        # When a test case crashed during teardown, tradefed prints the "fail"
-        # message twice. Tolerate it and still return an (inconsistent) count.
-        waived, _ = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsWidgetTestCases.txt'),
-            waivers=waivers)
-        self.assertEquals(1, len(waived))
-
-        # http://pantheon/storage/browser/chromeos-autotest-results/117914707-chromeos-test/
-        # When a test case unrecoverably crashed during teardown, tradefed
-        # prints the "fail" and failure summary message twice. Tolerate it.
-        waived, _ = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsPrintTestCases.txt'),
-            waivers=waivers)
-        self.assertEquals(0, len(waived))
-
-        gts_waivers = set([
-            ('com.google.android.placement.gts.CoreGmsAppsTest#' +
-                'testCoreGmsAppsPreloaded'),
-            ('com.google.android.placement.gts.CoreGmsAppsTest#' +
-                'testGoogleDuoPreloaded'),
-            'com.google.android.placement.gts.UiPlacementTest#testPlayStore'
-        ])
-
-        # crbug.com/748116
-        # http://pantheon/storage/browser/chromeos-autotest-results/130080763-chromeos-test/
-        # 3 ABIS: x86, x86_64, and armeabi-v7a
-        waived, _ = tradefed_utils.parse_tradefed_result(
-            _load_data('GtsPlacementTestCases.txt'),
-            waivers=gts_waivers)
-        self.assertEquals(9, len(waived))
-
-        # b/64095702
-        # http://pantheon/storage/browser/chromeos-autotest-results/130211812-chromeos-test/
-        # The result of the last chunk not reported by tradefed.
-        # The actual dEQP log is too big, hence the test data here is trimmed.
-        waived, _ = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsDeqpTestCases-trimmed.txt'),
-            waivers=waivers)
-        self.assertEquals(0, len(waived))
-
-        # b/80160772
-        # http://pantheon/storage/browser/chromeos-autotest-results/201962931-kkanchi/
-        # The newer tradefed requires different parsing to count waivers.
-        waived, _ = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsAppTestCases_P_simplified.txt'),
-            waivers=waivers)
-        self.assertEquals(1, len(waived))
-
-        # b/66899135, tradefed may reported inaccuratly with `list results`.
-        # Check if summary section shows that the result is inacurrate.
-        _, accurate = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsAppTestCases_P_simplified.txt'),
-            waivers=waivers)
-        self.assertTrue(accurate)
-
-        _, accurate = tradefed_utils.parse_tradefed_result(
-            _load_data('CtsDeqpTestCases-trimmed-inaccurate.txt'),
-            waivers=waivers)
-        self.assertFalse(accurate)
-
-    def test_get_test_result_xml_path(self):
-        path = tradefed_utils.get_test_result_xml_path(os.path.join(
-            os.path.dirname(os.path.realpath(__file__)),
-            'tradefed_utils_unittest_data', 'results'))
-        self.assertEqual(path, os.path.join(
-            os.path.dirname(os.path.realpath(__file__)),
-            'tradefed_utils_unittest_data', 'results', '2019.11.07_10.14.55',
-            'test_result.xml'))
-
-        # assertNoRaises
-        tradefed_utils.get_test_result_xml_path(os.path.join(
-            os.path.dirname(os.path.realpath(__file__)),
-            'tradefed_utils_unittest_data', 'not_exist'))
-
-    def test_parse_tradefed_testresults_xml_no_failure(self):
-        waived = tradefed_utils.parse_tradefed_testresults_xml(
-                os.path.join(os.path.dirname(os.path.realpath(__file__)),
-                             'tradefed_utils_unittest_data',
-                             'test_result.xml'))
-        self.assertEquals(0, len(waived))
-
-    def test_parse_tradefed_testresult_xml_waivers(self):
-        waived = tradefed_utils.parse_tradefed_testresults_xml(
-                os.path.join(os.path.dirname(os.path.realpath(__file__)),
-                             'tradefed_utils_unittest_data',
-                             'gtsplacement_test_result.xml'))
-        self.assertEquals(0, len(waived))
-
-        waivers = set([
-            'com.google.android.media.gts.WidevineDashPolicyTests#testL1RenewalDelay5S',
-            'com.google.android.media.gts.MediaDrmTest#testWidevineApi28',
-            'com.google.android.media.gts.WidevineGenericOpsTests#testL3',
-            'com.google.android.media.gts.WidevineDashPolicyTests#testL3RenewalDelay5S',
-            'com.google.android.media.gts.WidevineH264PlaybackTests#testCbc1L3WithUHD30',
-            'com.google.android.media.gts.WidevineH264PlaybackTests#testCbcsL3WithUHD30',
-            'com.google.android.media.gts.WidevineH264PlaybackTests#testCbc1L1WithUHD30',
-            'com.google.android.media.gts.WidevineDashPolicyTests#testL3RenewalDelay13S',
-            'com.google.android.gts.backup.BackupHostTest#testGmsBackupTransportIsDefault',
-            'com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded',
-            'com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded',
-            'com.google.android.media.gts.WidevineH264PlaybackTests#testCbcsL1WithUHD30'])
-        waived = tradefed_utils.parse_tradefed_testresults_xml(os.path.join(
-                os.path.dirname(os.path.realpath(__file__)),
-                'tradefed_utils_unittest_data',
-                'gtsplacement_test_result.xml'),
-                                                               waivers=waivers)
-        self.assertEquals(4, len(waived))
-
-    def test_get_perf_metrics_from_test_result_xml(self):
-        perf_result = tradefed_utils.get_perf_metrics_from_test_result_xml(
-            os.path.join(os.path.dirname(os.path.realpath(__file__)),
-                         'tradefed_utils_unittest_data', 'test_result.xml'),
-            os.path.join('/', 'resultsdir'))
-        expected_result = [
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioRecordTest'
-                            '#testAudioRecordLocalMono16Bit',
-             'value': '7.1688596491228065', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioRecordTest'
-                            '#testAudioRecordLocalMono16BitShort',
-             'value': '2.5416666666666665', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioRecordTest'
-                            '#testAudioRecordLocalNonblockingStereoFloat',
-             'value': '1.75', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioRecordTest'
-                            '#testAudioRecordMonoFloat',
-             'value': '12.958881578947368', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioRecordTest'
-                            '#testAudioRecordResamplerMono8Bit',
-             'value': '0.0', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioRecordTest'
-                            '#testAudioRecordResamplerStereo8Bit',
-             'value': '3.5', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioRecordTest'
-                            '#testAudioRecordStereo16Bit',
-             'value': '3.5', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioTrackTest'
-                            '#testFastTimestamp',
-             'value': '0.1547618955373764', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioTrackTest'
-                            '#testGetTimestamp',
-             'value': '0.1490119844675064', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioTrack_ListenerTest'
-                            '#testAudioTrackCallback',
-             'value': '9.347127739984884', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioTrack_ListenerTest'
-                            '#testAudioTrackCallbackWithHandler',
-             'value': '7.776177955844914', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioTrack_ListenerTest'
-                            '#testStaticAudioTrackCallback',
-             'value': '7.776177955844914', 'higher_is_better': False},
-            {'units': 'ms',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.AudioTrack_ListenerTest'
-                            '#testStaticAudioTrackCallbackWithHandler',
-             'value': '9.514361300075587', 'higher_is_better': False},
-            {'units': 'count',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.DecoderTest'
-                            '#testH264ColorAspects',
-             'value': '1.0', 'higher_is_better': True},
-            {'units': 'count',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.DecoderTest'
-                            '#testH265ColorAspects',
-             'value': '1.0', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testAvcGoog0Perf0320x0240',
-             'value': '580.1607045151507', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testAvcGoog0Perf0720x0480',
-             'value': '244.18184010611358', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testAvcGoog0Perf1280x0720',
-             'value': '70.96290491279275', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testAvcGoog0Perf1920x1080',
-             'value': '31.299613935451564', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testAvcOther0Perf0320x0240',
-             'value': '1079.6843075197307', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testAvcOther0Perf0720x0480',
-             'value': '873.7785366761784', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testAvcOther0Perf1280x0720',
-             'value': '664.6463289568261', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testAvcOther0Perf1920x1080',
-             'value': '382.10811352923474', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testH263Goog0Perf0176x0144',
-             'value': '1511.3027429644353', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testHevcGoog0Perf0352x0288',
-             'value': '768.8737453173384', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testHevcGoog0Perf0640x0360',
-             'value': '353.7226028743237', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testHevcGoog0Perf0720x0480',
-             'value': '319.3122874170939', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testHevcGoog0Perf1280x0720',
-             'value': '120.89218432028369', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testMpeg4Goog0Perf0176x0144',
-             'value': '1851.890822618321', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testVp8Goog0Perf0320x0180',
-             'value': '1087.946513466716', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testVp8Goog0Perf0640x0360',
-             'value': '410.18461316281423', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testVp8Goog0Perf1920x1080',
-             'value': '36.26433070651982', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testVp8Other0Perf0320x0180',
-             'value': '1066.7819511702078', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testVp8Other0Perf0640x0360',
-             'value': '930.261434505189', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testVp8Other0Perf1280x0720',
-             'value': '720.4170603577236', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testVp8Other0Perf1920x1080',
-             'value': '377.55742437554915', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testVp9Goog0Perf0320x0180',
-             'value': '988.6158776121617', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testVp9Goog0Perf0640x0360',
-             'value': '409.8162085338674', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testVp9Goog0Perf1280x0720',
-             'value': '147.75847359424512', 'higher_is_better': True},
-            {'units': 'fps',
-             'resultsdir': '/resultsdir/tests/CTS.CtsMediaTestCases',
-             'description': 'android.media.cts.VideoDecoderPerfTest'
-                            '#testVp9Goog0Perf1920x1080',
-             'value': '83.95677136649255', 'higher_is_better': True}
-        ]
-        self.assertListEqual(list(perf_result), expected_result)
-
-        perf_result = tradefed_utils.get_perf_metrics_from_test_result_xml(
-            os.path.join(os.path.dirname(os.path.realpath(__file__)),
-                         'tradefed_utils_unittest_data',
-                         'malformed_test_result.xml'),
-            os.path.join('/', 'resultsdir'))
-        self.assertListEqual(list(perf_result), [])
-
-        # assertNoRaises
-        tradefed_utils.get_perf_metrics_from_test_result_xml(
-            os.path.join(os.path.dirname(os.path.realpath(__file__)),
-                         'tradefed_utils_unittest_data',
-                         'not_exist'),
-            os.path.join('/', 'resultsdir'))
-
-
-
-if __name__ == '__main__':
-    unittest.main()
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/CtsAppTestCases-retry.txt b/server/cros/tradefed/tradefed_utils_unittest_data/CtsAppTestCases-retry.txt
deleted file mode 100644
index 209c5e3..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/CtsAppTestCases-retry.txt
+++ /dev/null
@@ -1,287 +0,0 @@
-03-26 16:21:42 I/ModuleRepo: chromeos2-row8-rack4-host19:22 running 1 modules, expected to complete in 6m 38s
-03-26 16:21:42 I/CompatibilityTest: Starting 1 module on chromeos2-row8-rack4-host19:22
-03-26 16:21:42 D/ConfigurationFactory: Loading configuration 'system-status-checkers'
-03-26 16:21:42 D/ModuleDef: Preparer: LocationCheck
-03-26 16:21:42 I/PreconditionPreparer: Value true for option skip-media-download not applicable for class com.android.compatibility.common.tradefed.targetprep.LocationCheck
-03-26 16:21:42 I/PreconditionPreparer: Value true for option skip-media-download not applicable for class com.android.compatibility.common.tradefed.targetprep.LocationCheck
-03-26 16:21:43 I/CompatibilityTest: Running system status checker before module execution: CtsAppTestCases
-03-26 16:21:43 D/ModuleDef: Preparer: ApkInstaller
-03-26 16:21:43 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsSimpleApp.apk ...
-03-26 16:21:43 D/CtsSimpleApp.apk: Uploading CtsSimpleApp.apk onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:21:43 D/Device: Uploading file onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:21:44 D/RunUtil: Running command with timeout: 60000ms
-03-26 16:21:44 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsSimpleApp.apk]
-03-26 16:21:44 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsAppTestStubs.apk ...
-03-26 16:21:44 D/CtsAppTestStubs.apk: Uploading CtsAppTestStubs.apk onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:21:44 D/Device: Uploading file onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:21:47 D/RunUtil: Running command with timeout: 60000ms
-03-26 16:21:47 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsAppTestStubs.apk]
-03-26 16:21:47 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsAppTestCases.apk ...
-03-26 16:21:47 D/CtsAppTestCases.apk: Uploading CtsAppTestCases.apk onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:21:47 D/Device: Uploading file onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:21:49 D/RunUtil: Running command with timeout: 60000ms
-03-26 16:21:49 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsAppTestCases.apk]
-03-26 16:21:49 D/ModuleDef: Test: AndroidJUnitTest
-03-26 16:21:49 D/InstrumentationTest: Collecting test info for android.app.cts on device chromeos2-row8-rack4-host19:22
-03-26 16:21:49 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log true -e timeout_msec 300000 android.app.cts/android.support.test.runner.AndroidJUnitRunner on google-chromebook_11_model_3180-chromeos2-row8-rack4-host19:22
-03-26 16:21:50 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log false -e timeout_msec 300000 android.app.cts/android.support.test.runner.AndroidJUnitRunner on google-chromebook_11_model_3180-chromeos2-row8-rack4-host19:22
-03-26 16:21:51 D/ModuleListener: ModuleListener.testRunStarted(android.app.cts, 5)
-03-26 16:21:51 I/ConsoleReporter: [chromeos2-row8-rack4-host19:22] Starting x86 CtsAppTestCases with 5 tests
-03-26 16:21:51 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LifecycleTest#testTabBasic)
-03-26 16:21:51 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LifecycleTest#testTabBasic, {})
-03-26 16:21:51 I/ConsoleReporter: [1/5 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LifecycleTest#testTabBasic pass
-03-26 16:21:51 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testCameraFeatures)
-03-26 16:21:51 D/ModuleListener: ModuleListener.testFailed(android.app.cts.SystemFeaturesTest#testCameraFeatures, junit.framework.AssertionFailedError: PackageManager#hasSystemFeature should NOT return true for android.hardware.camera.front

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at junit.framework.Assert.assertFalse(Assert.java:34)

-at android.app.cts.SystemFeaturesTest.assertNotAvailable(SystemFeaturesTest.java:508)

-at android.app.cts.SystemFeaturesTest.testCameraFeatures(SystemFeaturesTest.java:122)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-26 16:21:51 I/ConsoleReporter: [2/5 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testCameraFeatures fail: junit.framework.AssertionFailedError: PackageManager#hasSystemFeature should NOT return true for android.hardware.camera.front

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at junit.framework.Assert.assertFalse(Assert.java:34)

-at android.app.cts.SystemFeaturesTest.assertNotAvailable(SystemFeaturesTest.java:508)

-at android.app.cts.SystemFeaturesTest.testCameraFeatures(SystemFeaturesTest.java:122)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-26 16:21:51 I/FailureListener: FailureListener.testFailed android.app.cts.SystemFeaturesTest#testCameraFeatures false true false
-03-26 16:21:53 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05 with prefix "android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_" suffix ".zip"
-03-26 16:21:53 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05/android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_8762735968762869316.zip
-03-26 16:21:53 I/ResultReporter: Saved logs for android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat in /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05/android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_8762735968762869316.zip
-03-26 16:21:53 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_4137984894364964943 with prefix "android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_" suffix ".zip"
-03-26 16:21:53 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:21:53 D/RunUtil: Running [chmod]
-03-26 16:21:53 D/RunUtil: [chmod] command failed. return code 1
-03-26 16:21:53 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_6209762295598580632.zip to ug+rwx
-03-26 16:21:53 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:21:53 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_6209762295598580632.zip]
-03-26 16:21:54 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_6209762295598580632.zip
-03-26 16:21:54 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testCameraFeatures, {})
-03-26 16:21:54 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testUsbAccessory)
-03-26 16:21:54 D/ModuleListener: ModuleListener.testFailed(android.app.cts.SystemFeaturesTest#testUsbAccessory, junit.framework.AssertionFailedError: PackageManager#hasSystemFeature should return true for android.hardware.usb.accessory

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at android.app.cts.SystemFeaturesTest.assertAvailable(SystemFeaturesTest.java:501)

-at android.app.cts.SystemFeaturesTest.testUsbAccessory(SystemFeaturesTest.java:481)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-26 16:21:54 I/ConsoleReporter: [3/5 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testUsbAccessory fail: junit.framework.AssertionFailedError: PackageManager#hasSystemFeature should return true for android.hardware.usb.accessory

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at android.app.cts.SystemFeaturesTest.assertAvailable(SystemFeaturesTest.java:501)

-at android.app.cts.SystemFeaturesTest.testUsbAccessory(SystemFeaturesTest.java:481)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-26 16:21:54 I/FailureListener: FailureListener.testFailed android.app.cts.SystemFeaturesTest#testUsbAccessory false true false
-03-26 16:21:56 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05 with prefix "android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_" suffix ".zip"
-03-26 16:21:56 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05/android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_8167304123051235943.zip
-03-26 16:21:56 I/ResultReporter: Saved logs for android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat in /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05/android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_8167304123051235943.zip
-03-26 16:21:56 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_4137984894364964943 with prefix "android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_" suffix ".zip"
-03-26 16:21:56 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:21:56 D/RunUtil: Running [chmod]
-03-26 16:21:56 D/RunUtil: [chmod] command failed. return code 1
-03-26 16:21:56 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_6713767646175932035.zip to ug+rwx
-03-26 16:21:56 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:21:56 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_6713767646175932035.zip]
-03-26 16:21:56 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_6713767646175932035.zip
-03-26 16:21:56 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testUsbAccessory, {})
-03-26 16:21:56 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit)
-03-26 16:21:56 D/ModuleListener: ModuleListener.testFailed(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit, junit.framework.AssertionFailedError: expected:<3> but was:<1>

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.failNotEquals(Assert.java:287)

-at junit.framework.Assert.assertEquals(Assert.java:67)

-at junit.framework.Assert.assertEquals(Assert.java:199)

-at junit.framework.Assert.assertEquals(Assert.java:205)

-at android.app.cts.ActivityManagerTest.testTimeTrackingAPI_ChainedActivityExit(ActivityManagerTest.java:526)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-26 16:21:56 I/ConsoleReporter: [4/5 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit fail: junit.framework.AssertionFailedError: expected:<3> but was:<1>

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.failNotEquals(Assert.java:287)

-at junit.framework.Assert.assertEquals(Assert.java:67)

-at junit.framework.Assert.assertEquals(Assert.java:199)

-at junit.framework.Assert.assertEquals(Assert.java:205)

-at android.app.cts.ActivityManagerTest.testTimeTrackingAPI_ChainedActivityExit(ActivityManagerTest.java:526)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-26 16:21:56 I/FailureListener: FailureListener.testFailed android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit false true false
-03-26 16:21:58 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05 with prefix "android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_" suffix ".zip"
-03-26 16:21:58 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_6972528964795429366.zip
-03-26 16:21:58 I/ResultReporter: Saved logs for android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat in /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_6972528964795429366.zip
-03-26 16:21:58 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_4137984894364964943 with prefix "android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_" suffix ".zip"
-03-26 16:21:58 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:21:58 D/RunUtil: Running [chmod]
-03-26 16:21:58 D/RunUtil: [chmod] command failed. return code 1
-03-26 16:21:58 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_969828295802539563.zip to ug+rwx
-03-26 16:21:58 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:21:58 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_969828295802539563.zip]
-03-26 16:21:58 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_969828295802539563.zip
-03-26 16:21:58 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit, {})
-03-26 16:21:58 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit)
-03-26 16:21:58 D/ModuleListener: ModuleListener.testFailed(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit, junit.framework.AssertionFailedError: expected:<3> but was:<1>

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.failNotEquals(Assert.java:287)

-at junit.framework.Assert.assertEquals(Assert.java:67)

-at junit.framework.Assert.assertEquals(Assert.java:199)

-at junit.framework.Assert.assertEquals(Assert.java:205)

-at android.app.cts.ActivityManagerTest.testTimeTrackingAPI_SimpleStartExit(ActivityManagerTest.java:431)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-26 16:21:58 I/ConsoleReporter: [5/5 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit fail: junit.framework.AssertionFailedError: expected:<3> but was:<1>

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.failNotEquals(Assert.java:287)

-at junit.framework.Assert.assertEquals(Assert.java:67)

-at junit.framework.Assert.assertEquals(Assert.java:199)

-at junit.framework.Assert.assertEquals(Assert.java:205)

-at android.app.cts.ActivityManagerTest.testTimeTrackingAPI_SimpleStartExit(ActivityManagerTest.java:431)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-26 16:21:58 I/FailureListener: FailureListener.testFailed android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit false true false
-03-26 16:22:00 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05 with prefix "android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_" suffix ".zip"
-03-26 16:22:00 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_6981612307094436497.zip
-03-26 16:22:00 I/ResultReporter: Saved logs for android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat in /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.21.05/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_6981612307094436497.zip
-03-26 16:22:00 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_4137984894364964943 with prefix "android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_" suffix ".zip"
-03-26 16:22:00 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:22:00 D/RunUtil: Running [chmod]
-03-26 16:22:00 D/RunUtil: [chmod] command failed. return code 1
-03-26 16:22:00 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_4933333784378096516.zip to ug+rwx
-03-26 16:22:00 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:22:00 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_4933333784378096516.zip]
-03-26 16:22:00 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_4137984894364964943/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_4933333784378096516.zip
-03-26 16:22:00 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit, {})
-03-26 16:22:00 D/ModuleListener: ModuleListener.testRunEnded(7317, {})
-03-26 16:22:00 I/ConsoleReporter: [chromeos2-row8-rack4-host19:22] x86 CtsAppTestCases completed in 7s. 1 passed, 4 failed, 0 not executed
-03-26 16:22:00 D/ModuleDef: Cleaner: ApkInstaller
-03-26 16:22:00 D/TestDevice: Uninstalling com.android.cts.launcherapps.simpleapp
-03-26 16:22:01 D/TestDevice: Uninstalling android.app.stubs
-03-26 16:22:03 D/TestDevice: Uninstalling android.app.cts
-03-26 16:22:04 W/CompatibilityTest: Inaccurate runtime hint for x86 CtsAppTestCases, expected 6m 38s was 20s
-03-26 16:22:04 I/CompatibilityTest: Running system status checker after module execution: CtsAppTestCases
-03-26 16:22:05 I/MonitoringUtils: Connectivity: passed check.
-03-26 16:22:05 D/RunUtil: run interrupt allowed: false
-03-26 16:22:05 I/ResultReporter: Invocation finished in 1m 0s. PASSED: 317, FAILED: 4, NOT EXECUTED: 0, MODULES: 1 of 1
-03-26 16:22:06 I/ResultReporter: Test Result: /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/results/2017.03.26_16.21.05/test_result_failures.html
-03-26 16:22:06 I/ResultReporter: Full Result: /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/results/2017.03.26_16.21.05.zip
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/CtsAppTestCases.txt b/server/cros/tradefed/tradefed_utils_unittest_data/CtsAppTestCases.txt
deleted file mode 100644
index 790d73c..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/CtsAppTestCases.txt
+++ /dev/null
@@ -1,1313 +0,0 @@
-03-26 16:13:56 I/ModuleRepo: chromeos2-row8-rack4-host19:22 running 1 modules, expected to complete in 6m 38s
-03-26 16:13:56 I/CompatibilityTest: Starting 1 module on chromeos2-row8-rack4-host19:22
-03-26 16:13:56 D/ConfigurationFactory: Loading configuration 'system-status-checkers'
-03-26 16:13:56 D/ModuleDef: Preparer: LocationCheck
-03-26 16:13:56 I/PreconditionPreparer: Value true for option skip-media-download not applicable for class com.android.compatibility.common.tradefed.targetprep.LocationCheck
-03-26 16:13:57 I/CompatibilityTest: Running system status checker before module execution: CtsAppTestCases
-03-26 16:13:57 D/ModuleDef: Preparer: ApkInstaller
-03-26 16:13:57 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsSimpleApp.apk ...
-03-26 16:13:57 D/CtsSimpleApp.apk: Uploading CtsSimpleApp.apk onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:13:57 D/Device: Uploading file onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:13:58 D/RunUtil: Running command with timeout: 60000ms
-03-26 16:13:58 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsSimpleApp.apk]
-03-26 16:13:59 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsAppTestStubs.apk ...
-03-26 16:13:59 D/CtsAppTestStubs.apk: Uploading CtsAppTestStubs.apk onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:13:59 D/Device: Uploading file onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:14:01 D/RunUtil: Running command with timeout: 60000ms
-03-26 16:14:01 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsAppTestStubs.apk]
-03-26 16:14:01 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsAppTestCases.apk ...
-03-26 16:14:01 D/CtsAppTestCases.apk: Uploading CtsAppTestCases.apk onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:14:01 D/Device: Uploading file onto device 'chromeos2-row8-rack4-host19:22'
-03-26 16:14:03 D/RunUtil: Running command with timeout: 60000ms
-03-26 16:14:03 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsAppTestCases.apk]
-03-26 16:14:03 D/ModuleDef: Test: AndroidJUnitTest
-03-26 16:14:03 D/InstrumentationTest: Collecting test info for android.app.cts on device chromeos2-row8-rack4-host19:22
-03-26 16:14:03 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log true -e timeout_msec 300000 android.app.cts/android.support.test.runner.AndroidJUnitRunner on google-chromebook_11_model_3180-chromeos2-row8-rack4-host19:22
-03-26 16:14:07 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log false -e timeout_msec 300000 android.app.cts/android.support.test.runner.AndroidJUnitRunner on google-chromebook_11_model_3180-chromeos2-row8-rack4-host19:22
-03-26 16:14:09 D/ModuleListener: ModuleListener.testRunStarted(android.app.cts, 321)
-03-26 16:14:09 I/ConsoleReporter: [chromeos2-row8-rack4-host19:22] Starting x86 CtsAppTestCases with 321 tests
-03-26 16:14:09 D/ModuleListener: ModuleListener.testStarted(android.app.backup.cts.BackupAgentHelperTest#testBackupAgentHelper)
-03-26 16:14:09 D/ModuleListener: ModuleListener.testEnded(android.app.backup.cts.BackupAgentHelperTest#testBackupAgentHelper, {})
-03-26 16:14:09 I/ConsoleReporter: [1/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.backup.cts.BackupAgentHelperTest#testBackupAgentHelper pass
-03-26 16:14:09 D/ModuleListener: ModuleListener.testStarted(android.app.backup.cts.BackupAgentTest#testBackupAgent)
-03-26 16:14:09 D/ModuleListener: ModuleListener.testEnded(android.app.backup.cts.BackupAgentTest#testBackupAgent, {})
-03-26 16:14:09 I/ConsoleReporter: [2/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.backup.cts.BackupAgentTest#testBackupAgent pass
-03-26 16:14:09 D/ModuleListener: ModuleListener.testStarted(android.app.backup.cts.BackupManagerTest#testBackupManager)
-03-26 16:14:09 D/ModuleListener: ModuleListener.testEnded(android.app.backup.cts.BackupManagerTest#testBackupManager, {})
-03-26 16:14:09 I/ConsoleReporter: [3/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.backup.cts.BackupManagerTest#testBackupManager pass
-03-26 16:14:09 D/ModuleListener: ModuleListener.testStarted(android.app.backup.cts.FileBackupHelperTest#testConstructor)
-03-26 16:14:09 D/ModuleListener: ModuleListener.testEnded(android.app.backup.cts.FileBackupHelperTest#testConstructor, {})
-03-26 16:14:09 I/ConsoleReporter: [4/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.backup.cts.FileBackupHelperTest#testConstructor pass
-03-26 16:14:09 D/ModuleListener: ModuleListener.testStarted(android.app.backup.cts.SharedPreferencesBackupHelperTest#testConstructor)
-03-26 16:14:09 D/ModuleListener: ModuleListener.testEnded(android.app.backup.cts.SharedPreferencesBackupHelperTest#testConstructor, {})
-03-26 16:14:09 I/ConsoleReporter: [5/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.backup.cts.SharedPreferencesBackupHelperTest#testConstructor pass
-03-26 16:14:09 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActionBarTest#testAddTab)
-03-26 16:14:10 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActionBarTest#testAddTab, {})
-03-26 16:14:10 I/ConsoleReporter: [6/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActionBarTest#testAddTab pass
-03-26 16:14:10 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityGroupTest#testTabBasic)
-03-26 16:14:10 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityGroupTest#testTabBasic, {})
-03-26 16:14:10 I/ConsoleReporter: [7/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityGroupTest#testTabBasic pass
-03-26 16:14:10 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityGroupTest#testTabDialog)
-03-26 16:14:11 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityGroupTest#testTabDialog, {})
-03-26 16:14:11 I/ConsoleReporter: [8/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityGroupTest#testTabDialog pass
-03-26 16:14:11 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityGroupTest#testTabScreen)
-03-26 16:14:12 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityGroupTest#testTabScreen, {})
-03-26 16:14:12 I/ConsoleReporter: [9/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityGroupTest#testTabScreen pass
-03-26 16:14:12 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityKeyboardShortcutsTest#testOnProvideKeyboardShortcuts)
-03-26 16:14:13 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityKeyboardShortcutsTest#testOnProvideKeyboardShortcuts, {})
-03-26 16:14:13 I/ConsoleReporter: [10/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityKeyboardShortcutsTest#testOnProvideKeyboardShortcuts pass
-03-26 16:14:13 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerMemoryClassTest#testGetMemoryClass)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerMemoryClassTest#testGetMemoryClass, {})
-03-26 16:14:18 I/ConsoleReporter: [11/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerMemoryClassTest#testGetMemoryClass pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerMemoryInfoTest#testDescribeContents)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerMemoryInfoTest#testDescribeContents, {})
-03-26 16:14:18 I/ConsoleReporter: [12/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerMemoryInfoTest#testDescribeContents pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerMemoryInfoTest#testReadFromParcel)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerMemoryInfoTest#testReadFromParcel, {})
-03-26 16:14:18 I/ConsoleReporter: [13/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerMemoryInfoTest#testReadFromParcel pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerMemoryInfoTest#testWriteToParcel)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerMemoryInfoTest#testWriteToParcel, {})
-03-26 16:14:18 I/ConsoleReporter: [14/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerMemoryInfoTest#testWriteToParcel pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerProcessErrorStateInfoTest#testConstructor)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerProcessErrorStateInfoTest#testConstructor, {})
-03-26 16:14:18 I/ConsoleReporter: [15/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerProcessErrorStateInfoTest#testConstructor pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerProcessErrorStateInfoTest#testDescribeContents)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerProcessErrorStateInfoTest#testDescribeContents, {})
-03-26 16:14:18 I/ConsoleReporter: [16/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerProcessErrorStateInfoTest#testDescribeContents pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerProcessErrorStateInfoTest#testReadFromParcel)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerProcessErrorStateInfoTest#testReadFromParcel, {})
-03-26 16:14:18 I/ConsoleReporter: [17/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerProcessErrorStateInfoTest#testReadFromParcel pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerProcessErrorStateInfoTest#testWriteToParcel)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerProcessErrorStateInfoTest#testWriteToParcel, {})
-03-26 16:14:18 I/ConsoleReporter: [18/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerProcessErrorStateInfoTest#testWriteToParcel pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerRecentTaskInfoTest#testConstructor)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerRecentTaskInfoTest#testConstructor, {})
-03-26 16:14:18 I/ConsoleReporter: [19/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerRecentTaskInfoTest#testConstructor pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerRecentTaskInfoTest#testDescribeContents)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerRecentTaskInfoTest#testDescribeContents, {})
-03-26 16:14:18 I/ConsoleReporter: [20/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerRecentTaskInfoTest#testDescribeContents pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerRecentTaskInfoTest#testReadFromParcel)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerRecentTaskInfoTest#testReadFromParcel, {})
-03-26 16:14:18 I/ConsoleReporter: [21/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerRecentTaskInfoTest#testReadFromParcel pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerRecentTaskInfoTest#testWriteToParcel)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerRecentTaskInfoTest#testWriteToParcel, {})
-03-26 16:14:18 I/ConsoleReporter: [22/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerRecentTaskInfoTest#testWriteToParcel pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerRunningTaskInfoTest#testConstructor)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerRunningTaskInfoTest#testConstructor, {})
-03-26 16:14:18 I/ConsoleReporter: [23/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerRunningTaskInfoTest#testConstructor pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerRunningTaskInfoTest#testDescribeContents)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerRunningTaskInfoTest#testDescribeContents, {})
-03-26 16:14:18 I/ConsoleReporter: [24/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerRunningTaskInfoTest#testDescribeContents pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerRunningTaskInfoTest#testReadFromParcel)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerRunningTaskInfoTest#testReadFromParcel, {})
-03-26 16:14:18 I/ConsoleReporter: [25/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerRunningTaskInfoTest#testReadFromParcel pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerRunningTaskInfoTest#testWriteToParcel)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerRunningTaskInfoTest#testWriteToParcel, {})
-03-26 16:14:18 I/ConsoleReporter: [26/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerRunningTaskInfoTest#testWriteToParcel pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testGetDeviceConfigurationInfo)
-03-26 16:14:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testGetDeviceConfigurationInfo, {})
-03-26 16:14:18 I/ConsoleReporter: [27/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testGetDeviceConfigurationInfo pass
-03-26 16:14:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testGetMemoryInfo)
-03-26 16:14:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testGetMemoryInfo, {})
-03-26 16:14:19 I/ConsoleReporter: [28/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testGetMemoryInfo pass
-03-26 16:14:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testGetProcessInErrorState)
-03-26 16:14:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testGetProcessInErrorState, {})
-03-26 16:14:19 I/ConsoleReporter: [29/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testGetProcessInErrorState pass
-03-26 16:14:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testGetRecentTasks)
-03-26 16:14:23 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testGetRecentTasks, {})
-03-26 16:14:23 I/ConsoleReporter: [30/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testGetRecentTasks pass
-03-26 16:14:24 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testGetRecentTasksLimitedToCurrentAPK)
-03-26 16:14:24 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testGetRecentTasksLimitedToCurrentAPK, {})
-03-26 16:14:24 I/ConsoleReporter: [31/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testGetRecentTasksLimitedToCurrentAPK pass
-03-26 16:14:24 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testGetRunningAppProcesses)
-03-26 16:14:30 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testGetRunningAppProcesses, {})
-03-26 16:14:30 I/ConsoleReporter: [32/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testGetRunningAppProcesses pass
-03-26 16:14:30 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testGetRunningServices)
-03-26 16:14:30 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testGetRunningServices, {})
-03-26 16:14:30 I/ConsoleReporter: [33/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testGetRunningServices pass
-03-26 16:14:30 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testGetRunningTasks)
-03-26 16:14:30 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testGetRunningTasks, {})
-03-26 16:14:30 I/ConsoleReporter: [34/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testGetRunningTasks pass
-03-26 16:14:31 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testIsRunningInTestHarness)
-03-26 16:14:31 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testIsRunningInTestHarness, {})
-03-26 16:14:31 I/ConsoleReporter: [35/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testIsRunningInTestHarness pass
-03-26 16:14:31 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testIsUserAMonkey)
-03-26 16:14:31 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testIsUserAMonkey, {})
-03-26 16:14:31 I/ConsoleReporter: [36/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testIsUserAMonkey pass
-03-26 16:14:31 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit)
-03-26 16:14:35 D/ModuleListener: ModuleListener.testFailed(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit, junit.framework.AssertionFailedError: expected:<3> but was:<1>

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.failNotEquals(Assert.java:287)

-at junit.framework.Assert.assertEquals(Assert.java:67)

-at junit.framework.Assert.assertEquals(Assert.java:199)

-at junit.framework.Assert.assertEquals(Assert.java:205)

-at android.app.cts.ActivityManagerTest.testTimeTrackingAPI_ChainedActivityExit(ActivityManagerTest.java:526)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-26 16:14:35 I/ConsoleReporter: [37/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit fail: junit.framework.AssertionFailedError: expected:<3> but was:<1>

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.failNotEquals(Assert.java:287)

-at junit.framework.Assert.assertEquals(Assert.java:67)

-at junit.framework.Assert.assertEquals(Assert.java:199)

-at junit.framework.Assert.assertEquals(Assert.java:205)

-at android.app.cts.ActivityManagerTest.testTimeTrackingAPI_ChainedActivityExit(ActivityManagerTest.java:526)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-26 16:14:35 I/FailureListener: FailureListener.testFailed android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit false true false
-03-26 16:14:37 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24 with prefix "android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_" suffix ".zip"
-03-26 16:14:37 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_1749029287882018249.zip
-03-26 16:14:37 I/ResultReporter: Saved logs for android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat in /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_1749029287882018249.zip
-03-26 16:14:37 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_7415891576764823370 with prefix "android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_" suffix ".zip"
-03-26 16:14:37 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:14:37 D/RunUtil: Running [chmod]
-03-26 16:14:37 D/RunUtil: [chmod] command failed. return code 1
-03-26 16:14:37 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_6948998584874218607.zip to ug+rwx
-03-26 16:14:37 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:14:37 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_6948998584874218607.zip]
-03-26 16:14:37 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit-logcat_6948998584874218607.zip
-03-26 16:14:37 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_ChainedActivityExit, {})
-03-26 16:14:37 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit)
-03-26 16:14:38 D/ModuleListener: ModuleListener.testFailed(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit, junit.framework.AssertionFailedError: expected:<3> but was:<1>

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.failNotEquals(Assert.java:287)

-at junit.framework.Assert.assertEquals(Assert.java:67)

-at junit.framework.Assert.assertEquals(Assert.java:199)

-at junit.framework.Assert.assertEquals(Assert.java:205)

-at android.app.cts.ActivityManagerTest.testTimeTrackingAPI_SimpleStartExit(ActivityManagerTest.java:431)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-26 16:14:38 I/ConsoleReporter: [38/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit fail: junit.framework.AssertionFailedError: expected:<3> but was:<1>

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.failNotEquals(Assert.java:287)

-at junit.framework.Assert.assertEquals(Assert.java:67)

-at junit.framework.Assert.assertEquals(Assert.java:199)

-at junit.framework.Assert.assertEquals(Assert.java:205)

-at android.app.cts.ActivityManagerTest.testTimeTrackingAPI_SimpleStartExit(ActivityManagerTest.java:431)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-26 16:14:38 I/FailureListener: FailureListener.testFailed android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit false true false
-03-26 16:14:40 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24 with prefix "android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_" suffix ".zip"
-03-26 16:14:40 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_8301445075066273627.zip
-03-26 16:14:40 I/ResultReporter: Saved logs for android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat in /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_8301445075066273627.zip
-03-26 16:14:40 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_7415891576764823370 with prefix "android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_" suffix ".zip"
-03-26 16:14:40 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:14:40 D/RunUtil: Running [chmod]
-03-26 16:14:40 D/RunUtil: [chmod] command failed. return code 1
-03-26 16:14:40 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_1080005478558352547.zip to ug+rwx
-03-26 16:14:40 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:14:40 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_1080005478558352547.zip]
-03-26 16:14:40 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit-logcat_1080005478558352547.zip
-03-26 16:14:40 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SimpleStartExit, {})
-03-26 16:14:40 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SwitchAwayTriggers)
-03-26 16:14:42 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SwitchAwayTriggers, {})
-03-26 16:14:42 I/ConsoleReporter: [39/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManagerTest#testTimeTrackingAPI_SwitchAwayTriggers pass
-03-26 16:14:42 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManager_RunningAppProcessInfoTest#testRunningAppProcessInfo)
-03-26 16:14:42 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManager_RunningAppProcessInfoTest#testRunningAppProcessInfo, {})
-03-26 16:14:42 I/ConsoleReporter: [40/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManager_RunningAppProcessInfoTest#testRunningAppProcessInfo pass
-03-26 16:14:42 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManager_RunningServiceInfoTest#testConstructor)
-03-26 16:14:42 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManager_RunningServiceInfoTest#testConstructor, {})
-03-26 16:14:42 I/ConsoleReporter: [41/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManager_RunningServiceInfoTest#testConstructor pass
-03-26 16:14:42 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManager_RunningServiceInfoTest#testDescribeContents)
-03-26 16:14:42 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManager_RunningServiceInfoTest#testDescribeContents, {})
-03-26 16:14:42 I/ConsoleReporter: [42/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManager_RunningServiceInfoTest#testDescribeContents pass
-03-26 16:14:42 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManager_RunningServiceInfoTest#testReadFromParcel)
-03-26 16:14:42 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManager_RunningServiceInfoTest#testReadFromParcel, {})
-03-26 16:14:42 I/ConsoleReporter: [43/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManager_RunningServiceInfoTest#testReadFromParcel pass
-03-26 16:14:42 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ActivityManager_RunningServiceInfoTest#testWriteToParcel)
-03-26 16:14:42 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ActivityManager_RunningServiceInfoTest#testWriteToParcel, {})
-03-26 16:14:42 I/ConsoleReporter: [44/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ActivityManager_RunningServiceInfoTest#testWriteToParcel pass
-03-26 16:14:43 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlarmManagerTest#testAlarmTriggersImmediatelyIfSetTimeIsNegative)
-03-26 16:14:48 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlarmManagerTest#testAlarmTriggersImmediatelyIfSetTimeIsNegative, {})
-03-26 16:14:48 I/ConsoleReporter: [45/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlarmManagerTest#testAlarmTriggersImmediatelyIfSetTimeIsNegative pass
-03-26 16:14:48 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlarmManagerTest#testCancel)
-03-26 16:14:56 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlarmManagerTest#testCancel, {})
-03-26 16:14:56 I/ConsoleReporter: [46/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlarmManagerTest#testCancel pass
-03-26 16:14:56 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlarmManagerTest#testExactAlarmBatching)
-03-26 16:15:51 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlarmManagerTest#testExactAlarmBatching, {})
-03-26 16:15:51 I/ConsoleReporter: [47/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlarmManagerTest#testExactAlarmBatching pass
-03-26 16:15:51 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlarmManagerTest#testSetAlarmClock)
-03-26 16:16:04 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlarmManagerTest#testSetAlarmClock, {})
-03-26 16:16:04 I/ConsoleReporter: [48/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlarmManagerTest#testSetAlarmClock pass
-03-26 16:16:04 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlarmManagerTest#testSetInexactRepeating)
-03-26 16:16:04 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlarmManagerTest#testSetInexactRepeating, {})
-03-26 16:16:04 I/ConsoleReporter: [49/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlarmManagerTest#testSetInexactRepeating pass
-03-26 16:16:04 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlarmManagerTest#testSetRepeating)
-03-26 16:17:11 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlarmManagerTest#testSetRepeating, {})
-03-26 16:17:11 I/ConsoleReporter: [50/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlarmManagerTest#testSetRepeating pass
-03-26 16:17:11 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlarmManagerTest#testSetTypes)
-03-26 16:17:31 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlarmManagerTest#testSetTypes, {})
-03-26 16:17:31 I/ConsoleReporter: [51/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlarmManagerTest#testSetTypes pass
-03-26 16:17:31 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testAlertDialog)
-03-26 16:17:32 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testAlertDialog, {})
-03-26 16:17:32 I/ConsoleReporter: [52/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testAlertDialog pass
-03-26 16:17:32 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testAlertDialogAPIWithMessageDeprecated)
-03-26 16:17:32 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testAlertDialogAPIWithMessageDeprecated, {})
-03-26 16:17:32 I/ConsoleReporter: [53/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testAlertDialogAPIWithMessageDeprecated pass
-03-26 16:17:32 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testAlertDialogAPIWithMessageNotDeprecated)
-03-26 16:17:33 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testAlertDialogAPIWithMessageNotDeprecated, {})
-03-26 16:17:33 I/ConsoleReporter: [54/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testAlertDialogAPIWithMessageNotDeprecated pass
-03-26 16:17:33 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testAlertDialogCancelable)
-03-26 16:17:33 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testAlertDialogCancelable, {})
-03-26 16:17:33 I/ConsoleReporter: [55/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testAlertDialogCancelable pass
-03-26 16:17:33 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testAlertDialogDeprecatedAPI)
-03-26 16:17:33 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testAlertDialogDeprecatedAPI, {})
-03-26 16:17:33 I/ConsoleReporter: [56/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testAlertDialogDeprecatedAPI pass
-03-26 16:17:33 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testAlertDialogIconAttribute)
-03-26 16:17:33 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testAlertDialogIconAttribute, {})
-03-26 16:17:33 I/ConsoleReporter: [57/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testAlertDialogIconAttribute pass
-03-26 16:17:33 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testAlertDialogIconDrawable)
-03-26 16:17:34 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testAlertDialogIconDrawable, {})
-03-26 16:17:34 I/ConsoleReporter: [58/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testAlertDialogIconDrawable pass
-03-26 16:17:34 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testAlertDialogNotCancelable)
-03-26 16:17:34 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testAlertDialogNotCancelable, {})
-03-26 16:17:34 I/ConsoleReporter: [59/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testAlertDialogNotCancelable pass
-03-26 16:17:34 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testAlertDialogTheme)
-03-26 16:17:34 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testAlertDialogTheme, {})
-03-26 16:17:34 I/ConsoleReporter: [60/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testAlertDialogTheme pass
-03-26 16:17:34 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testCallback)
-03-26 16:17:35 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testCallback, {})
-03-26 16:17:35 I/ConsoleReporter: [61/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testCallback pass
-03-26 16:17:35 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testCustomAlertDialog)
-03-26 16:17:35 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testCustomAlertDialog, {})
-03-26 16:17:35 I/ConsoleReporter: [62/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testCustomAlertDialog pass
-03-26 16:17:35 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialogTest#testCustomAlertDialogView)
-03-26 16:17:35 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialogTest#testCustomAlertDialogView, {})
-03-26 16:17:35 I/ConsoleReporter: [63/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialogTest#testCustomAlertDialogView pass
-03-26 16:17:35 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderCursorTest#testSetCursor)
-03-26 16:17:36 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderCursorTest#testSetCursor, {})
-03-26 16:17:36 I/ConsoleReporter: [64/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderCursorTest#testSetCursor pass
-03-26 16:17:36 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderCursorTest#testSetMultiChoiceItemsWithParamCursor)
-03-26 16:17:37 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderCursorTest#testSetMultiChoiceItemsWithParamCursor, {})
-03-26 16:17:37 I/ConsoleReporter: [65/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderCursorTest#testSetMultiChoiceItemsWithParamCursor pass
-03-26 16:17:37 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderCursorTest#testSetSingleChoiceItemsWithParamCursor)
-03-26 16:17:37 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderCursorTest#testSetSingleChoiceItemsWithParamCursor, {})
-03-26 16:17:37 I/ConsoleReporter: [66/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderCursorTest#testSetSingleChoiceItemsWithParamCursor pass
-03-26 16:17:37 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testConstructor)
-03-26 16:17:37 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testConstructor, {})
-03-26 16:17:37 I/ConsoleReporter: [67/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testConstructor pass
-03-26 16:17:37 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testConstructorWithThemeId)
-03-26 16:17:38 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testConstructorWithThemeId, {})
-03-26 16:17:38 I/ConsoleReporter: [68/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testConstructorWithThemeId pass
-03-26 16:17:38 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testCreate)
-03-26 16:17:38 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testCreate, {})
-03-26 16:17:38 I/ConsoleReporter: [69/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testCreate pass
-03-26 16:17:38 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testDisableCancelable)
-03-26 16:17:38 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testDisableCancelable, {})
-03-26 16:17:38 I/ConsoleReporter: [70/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testDisableCancelable pass
-03-26 16:17:38 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetAdapter)
-03-26 16:17:39 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetAdapter, {})
-03-26 16:17:39 I/ConsoleReporter: [71/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetAdapter pass
-03-26 16:17:39 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetCancelable)
-03-26 16:17:39 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetCancelable, {})
-03-26 16:17:39 I/ConsoleReporter: [72/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetCancelable pass
-03-26 16:17:39 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetCustomTitle)
-03-26 16:17:39 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetCustomTitle, {})
-03-26 16:17:39 I/ConsoleReporter: [73/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetCustomTitle pass
-03-26 16:17:39 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetIconAttribute)
-03-26 16:17:39 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetIconAttribute, {})
-03-26 16:17:39 I/ConsoleReporter: [74/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetIconAttribute pass
-03-26 16:17:39 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetIconWithParamDrawable)
-03-26 16:17:40 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetIconWithParamDrawable, {})
-03-26 16:17:40 I/ConsoleReporter: [75/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetIconWithParamDrawable pass
-03-26 16:17:40 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetIconWithParamInt)
-03-26 16:17:40 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetIconWithParamInt, {})
-03-26 16:17:40 I/ConsoleReporter: [76/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetIconWithParamInt pass
-03-26 16:17:40 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetInverseBackgroundForced)
-03-26 16:17:40 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetInverseBackgroundForced, {})
-03-26 16:17:40 I/ConsoleReporter: [77/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetInverseBackgroundForced pass
-03-26 16:17:40 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetItemsWithParamCharSequence)
-03-26 16:17:41 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetItemsWithParamCharSequence, {})
-03-26 16:17:41 I/ConsoleReporter: [78/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetItemsWithParamCharSequence pass
-03-26 16:17:41 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetItemsWithParamInt)
-03-26 16:17:41 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetItemsWithParamInt, {})
-03-26 16:17:41 I/ConsoleReporter: [79/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetItemsWithParamInt pass
-03-26 16:17:41 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetMultiChoiceItemsWithParamCharSequence)
-03-26 16:17:41 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetMultiChoiceItemsWithParamCharSequence, {})
-03-26 16:17:41 I/ConsoleReporter: [80/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetMultiChoiceItemsWithParamCharSequence pass
-03-26 16:17:41 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetMultiChoiceItemsWithParamInt)
-03-26 16:17:42 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetMultiChoiceItemsWithParamInt, {})
-03-26 16:17:42 I/ConsoleReporter: [81/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetMultiChoiceItemsWithParamInt pass
-03-26 16:17:42 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetNegativeButtonWithParamCharSequence)
-03-26 16:17:42 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetNegativeButtonWithParamCharSequence, {})
-03-26 16:17:42 I/ConsoleReporter: [82/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetNegativeButtonWithParamCharSequence pass
-03-26 16:17:42 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetNegativeButtonWithParamInt)
-03-26 16:17:42 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetNegativeButtonWithParamInt, {})
-03-26 16:17:42 I/ConsoleReporter: [83/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetNegativeButtonWithParamInt pass
-03-26 16:17:42 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetNeutralButtonWithParamCharSequence)
-03-26 16:17:43 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetNeutralButtonWithParamCharSequence, {})
-03-26 16:17:43 I/ConsoleReporter: [84/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetNeutralButtonWithParamCharSequence pass
-03-26 16:17:43 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetNeutralButtonWithParamInt)
-03-26 16:17:43 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetNeutralButtonWithParamInt, {})
-03-26 16:17:43 I/ConsoleReporter: [85/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetNeutralButtonWithParamInt pass
-03-26 16:17:43 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetOnCancelListener)
-03-26 16:17:43 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetOnCancelListener, {})
-03-26 16:17:43 I/ConsoleReporter: [86/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetOnCancelListener pass
-03-26 16:17:43 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetOnDismissListener)
-03-26 16:17:43 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetOnDismissListener, {})
-03-26 16:17:43 I/ConsoleReporter: [87/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetOnDismissListener pass
-03-26 16:17:43 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetOnItemSelectedListener)
-03-26 16:17:44 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetOnItemSelectedListener, {})
-03-26 16:17:44 I/ConsoleReporter: [88/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetOnItemSelectedListener pass
-03-26 16:17:44 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetOnKeyListener)
-03-26 16:17:44 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetOnKeyListener, {})
-03-26 16:17:44 I/ConsoleReporter: [89/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetOnKeyListener pass
-03-26 16:17:44 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetPositiveButtonWithParamCharSequence)
-03-26 16:17:44 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetPositiveButtonWithParamCharSequence, {})
-03-26 16:17:44 I/ConsoleReporter: [90/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetPositiveButtonWithParamCharSequence pass
-03-26 16:17:44 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetPositiveButtonWithParamInt)
-03-26 16:17:45 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetPositiveButtonWithParamInt, {})
-03-26 16:17:45 I/ConsoleReporter: [91/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetPositiveButtonWithParamInt pass
-03-26 16:17:45 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetSingleChoiceItems)
-03-26 16:17:45 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetSingleChoiceItems, {})
-03-26 16:17:45 I/ConsoleReporter: [92/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetSingleChoiceItems pass
-03-26 16:17:45 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetSingleChoiceItemsWithParamCharSequence)
-03-26 16:17:45 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetSingleChoiceItemsWithParamCharSequence, {})
-03-26 16:17:45 I/ConsoleReporter: [93/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetSingleChoiceItemsWithParamCharSequence pass
-03-26 16:17:45 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetSingleChoiceItemsWithParamInt)
-03-26 16:17:46 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetSingleChoiceItemsWithParamInt, {})
-03-26 16:17:46 I/ConsoleReporter: [94/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetSingleChoiceItemsWithParamInt pass
-03-26 16:17:46 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetView)
-03-26 16:17:46 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetView, {})
-03-26 16:17:46 I/ConsoleReporter: [95/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetView pass
-03-26 16:17:46 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetViewById)
-03-26 16:17:46 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetViewById, {})
-03-26 16:17:46 I/ConsoleReporter: [96/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetViewById pass
-03-26 16:17:46 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testSetViewFromInflater)
-03-26 16:17:47 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testSetViewFromInflater, {})
-03-26 16:17:47 I/ConsoleReporter: [97/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testSetViewFromInflater pass
-03-26 16:17:47 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AlertDialog_BuilderTest#testShow)
-03-26 16:17:47 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AlertDialog_BuilderTest#testShow, {})
-03-26 16:17:47 I/ConsoleReporter: [98/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AlertDialog_BuilderTest#testShow pass
-03-26 16:17:47 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AliasActivityTest#testAliasActivity)
-03-26 16:17:48 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AliasActivityTest#testAliasActivity, {})
-03-26 16:17:48 I/ConsoleReporter: [99/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AliasActivityTest#testAliasActivity pass
-03-26 16:17:48 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ApplicationTest#testApplication)
-03-26 16:17:49 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ApplicationTest#testApplication, {})
-03-26 16:17:49 I/ConsoleReporter: [100/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ApplicationTest#testApplication pass
-03-26 16:17:49 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AutomaticZenRuleTest#testDescribeContents)
-03-26 16:17:49 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AutomaticZenRuleTest#testDescribeContents, {})
-03-26 16:17:49 I/ConsoleReporter: [101/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AutomaticZenRuleTest#testDescribeContents pass
-03-26 16:17:49 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AutomaticZenRuleTest#testSetConditionId)
-03-26 16:17:49 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AutomaticZenRuleTest#testSetConditionId, {})
-03-26 16:17:49 I/ConsoleReporter: [102/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AutomaticZenRuleTest#testSetConditionId pass
-03-26 16:17:49 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AutomaticZenRuleTest#testSetEnabled)
-03-26 16:17:49 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AutomaticZenRuleTest#testSetEnabled, {})
-03-26 16:17:49 I/ConsoleReporter: [103/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AutomaticZenRuleTest#testSetEnabled pass
-03-26 16:17:49 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AutomaticZenRuleTest#testSetInterruptionFilter)
-03-26 16:17:49 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AutomaticZenRuleTest#testSetInterruptionFilter, {})
-03-26 16:17:49 I/ConsoleReporter: [104/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AutomaticZenRuleTest#testSetInterruptionFilter pass
-03-26 16:17:49 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AutomaticZenRuleTest#testSetName)
-03-26 16:17:49 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AutomaticZenRuleTest#testSetName, {})
-03-26 16:17:49 I/ConsoleReporter: [105/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AutomaticZenRuleTest#testSetName pass
-03-26 16:17:49 D/ModuleListener: ModuleListener.testStarted(android.app.cts.AutomaticZenRuleTest#testWriteToParcel)
-03-26 16:17:49 D/ModuleListener: ModuleListener.testEnded(android.app.cts.AutomaticZenRuleTest#testWriteToParcel, {})
-03-26 16:17:49 I/ConsoleReporter: [106/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.AutomaticZenRuleTest#testWriteToParcel pass
-03-26 16:17:49 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ConditionTest#testConstructor)
-03-26 16:17:49 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ConditionTest#testConstructor, {})
-03-26 16:17:49 I/ConsoleReporter: [107/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ConditionTest#testConstructor pass
-03-26 16:17:49 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ConditionTest#testDescribeContents)
-03-26 16:17:49 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ConditionTest#testDescribeContents, {})
-03-26 16:17:49 I/ConsoleReporter: [108/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ConditionTest#testDescribeContents pass
-03-26 16:17:49 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ConditionTest#testWriteToParcel)
-03-26 16:17:49 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ConditionTest#testWriteToParcel, {})
-03-26 16:17:49 I/ConsoleReporter: [109/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ConditionTest#testWriteToParcel pass
-03-26 16:17:49 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testAccessOwnerActivity)
-03-26 16:17:49 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testAccessOwnerActivity, {})
-03-26 16:17:49 I/ConsoleReporter: [110/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testAccessOwnerActivity pass
-03-26 16:17:49 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testCancel_listener)
-03-26 16:17:50 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testCancel_listener, {})
-03-26 16:17:50 I/ConsoleReporter: [111/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testCancel_listener pass
-03-26 16:17:50 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testCancel_noListener)
-03-26 16:17:50 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testCancel_noListener, {})
-03-26 16:17:50 I/ConsoleReporter: [112/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testCancel_noListener pass
-03-26 16:17:50 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testConstructor)
-03-26 16:17:50 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testConstructor, {})
-03-26 16:17:50 I/ConsoleReporter: [113/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testConstructor pass
-03-26 16:17:50 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testConstructor_protectedCancellable)
-03-26 16:17:50 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testConstructor_protectedCancellable, {})
-03-26 16:17:50 I/ConsoleReporter: [114/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testConstructor_protectedCancellable pass
-03-26 16:17:51 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testConstructor_protectedNotCancellable)
-03-26 16:17:51 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testConstructor_protectedNotCancellable, {})
-03-26 16:17:51 I/ConsoleReporter: [115/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testConstructor_protectedNotCancellable pass
-03-26 16:17:51 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testContextMenu)
-03-26 16:17:52 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testContextMenu, {})
-03-26 16:17:52 I/ConsoleReporter: [116/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testContextMenu pass
-03-26 16:17:52 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testDispatchKeyEvent)
-03-26 16:17:52 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testDispatchKeyEvent, {})
-03-26 16:17:52 I/ConsoleReporter: [117/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testDispatchKeyEvent pass
-03-26 16:17:52 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testGetCurrentFocus)
-03-26 16:17:53 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testGetCurrentFocus, {})
-03-26 16:17:53 I/ConsoleReporter: [118/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testGetCurrentFocus pass
-03-26 16:17:53 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testGetLayoutInflater)
-03-26 16:17:54 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testGetLayoutInflater, {})
-03-26 16:17:54 I/ConsoleReporter: [119/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testGetLayoutInflater pass
-03-26 16:17:54 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testOnContentChanged)
-03-26 16:17:54 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testOnContentChanged, {})
-03-26 16:17:54 I/ConsoleReporter: [120/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testOnContentChanged pass
-03-26 16:17:54 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testOnKeyDownKeyUp)
-03-26 16:17:54 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testOnKeyDownKeyUp, {})
-03-26 16:17:54 I/ConsoleReporter: [121/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testOnKeyDownKeyUp pass
-03-26 16:17:54 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testOnKeyMultiple)
-03-26 16:17:55 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testOnKeyMultiple, {})
-03-26 16:17:55 I/ConsoleReporter: [122/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testOnKeyMultiple pass
-03-26 16:17:55 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testOnSaveInstanceState)
-03-26 16:17:55 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testOnSaveInstanceState, {})
-03-26 16:17:55 I/ConsoleReporter: [123/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testOnSaveInstanceState pass
-03-26 16:17:55 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testOnSearchRequested)
-03-26 16:17:55 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testOnSearchRequested, {})
-03-26 16:17:55 I/ConsoleReporter: [124/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testOnSearchRequested pass
-03-26 16:17:56 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testOnStartCreateStop)
-03-26 16:17:56 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testOnStartCreateStop, {})
-03-26 16:17:56 I/ConsoleReporter: [125/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testOnStartCreateStop pass
-03-26 16:17:56 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testOnWindowAttributesChanged)
-03-26 16:17:56 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testOnWindowAttributesChanged, {})
-03-26 16:17:56 I/ConsoleReporter: [126/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testOnWindowAttributesChanged pass
-03-26 16:17:56 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testOnWindowFocusChanged)
-03-26 16:17:56 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testOnWindowFocusChanged, {})
-03-26 16:17:56 I/ConsoleReporter: [127/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testOnWindowFocusChanged pass
-03-26 16:17:56 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testRequestWindowFeature)
-03-26 16:17:57 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testRequestWindowFeature, {})
-03-26 16:17:57 I/ConsoleReporter: [128/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testRequestWindowFeature pass
-03-26 16:17:57 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetCancelMessage)
-03-26 16:17:57 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetCancelMessage, {})
-03-26 16:17:57 I/ConsoleReporter: [129/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetCancelMessage pass
-03-26 16:17:57 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetCancelable_true)
-03-26 16:17:57 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetCancelable_true, {})
-03-26 16:17:57 I/ConsoleReporter: [130/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetCancelable_true pass
-03-26 16:17:57 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetCancellable_false)
-03-26 16:17:58 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetCancellable_false, {})
-03-26 16:17:58 I/ConsoleReporter: [131/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetCancellable_false pass
-03-26 16:17:58 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetContentView)
-03-26 16:17:58 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetContentView, {})
-03-26 16:17:58 I/ConsoleReporter: [132/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetContentView pass
-03-26 16:17:58 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetDismissMessage)
-03-26 16:17:59 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetDismissMessage, {})
-03-26 16:17:59 I/ConsoleReporter: [133/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetDismissMessage pass
-03-26 16:17:59 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetFeatureDrawable)
-03-26 16:17:59 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetFeatureDrawable, {})
-03-26 16:17:59 I/ConsoleReporter: [134/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetFeatureDrawable pass
-03-26 16:17:59 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetFeatureDrawableAlpha)
-03-26 16:17:59 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetFeatureDrawableAlpha, {})
-03-26 16:17:59 I/ConsoleReporter: [135/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetFeatureDrawableAlpha pass
-03-26 16:17:59 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetFeatureDrawableResource)
-03-26 16:17:59 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetFeatureDrawableResource, {})
-03-26 16:17:59 I/ConsoleReporter: [136/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetFeatureDrawableResource pass
-03-26 16:17:59 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetFeatureDrawableUri)
-03-26 16:18:00 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetFeatureDrawableUri, {})
-03-26 16:18:00 I/ConsoleReporter: [137/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetFeatureDrawableUri pass
-03-26 16:18:00 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetOnDismissListener_listener)
-03-26 16:18:00 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetOnDismissListener_listener, {})
-03-26 16:18:00 I/ConsoleReporter: [138/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetOnDismissListener_listener pass
-03-26 16:18:00 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetOnDismissListener_noListener)
-03-26 16:18:00 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetOnDismissListener_noListener, {})
-03-26 16:18:00 I/ConsoleReporter: [139/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetOnDismissListener_noListener pass
-03-26 16:18:00 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testSetTitle)
-03-26 16:18:01 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testSetTitle, {})
-03-26 16:18:01 I/ConsoleReporter: [140/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testSetTitle pass
-03-26 16:18:01 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testShow)
-03-26 16:18:01 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testShow, {})
-03-26 16:18:01 I/ConsoleReporter: [141/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testShow pass
-03-26 16:18:01 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testTakeKeyEvents)
-03-26 16:18:01 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testTakeKeyEvents, {})
-03-26 16:18:01 I/ConsoleReporter: [142/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testTakeKeyEvents pass
-03-26 16:18:01 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testTouchEvent)
-03-26 16:18:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testTouchEvent, {})
-03-26 16:18:02 I/ConsoleReporter: [143/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testTouchEvent pass
-03-26 16:18:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DialogTest#testTrackballEvent)
-03-26 16:18:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DialogTest#testTrackballEvent, {})
-03-26 16:18:02 I/ConsoleReporter: [144/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DialogTest#testTrackballEvent pass
-03-26 16:18:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DownloadManagerTest#testDownloadManager)
-03-26 16:18:03 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DownloadManagerTest#testDownloadManager, {})
-03-26 16:18:03 I/ConsoleReporter: [145/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DownloadManagerTest#testDownloadManager pass
-03-26 16:18:03 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DownloadManagerTest#testDownloadManagerDestination)
-03-26 16:18:04 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DownloadManagerTest#testDownloadManagerDestination, {})
-03-26 16:18:04 I/ConsoleReporter: [146/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DownloadManagerTest#testDownloadManagerDestination pass
-03-26 16:18:04 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DownloadManagerTest#testDownloadManagerDestinationExtension)
-03-26 16:18:05 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DownloadManagerTest#testDownloadManagerDestinationExtension, {})
-03-26 16:18:05 I/ConsoleReporter: [147/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DownloadManagerTest#testDownloadManagerDestinationExtension pass
-03-26 16:18:05 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DownloadManagerTest#testDownloadManagerSupportsHttp)
-03-26 16:18:06 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DownloadManagerTest#testDownloadManagerSupportsHttp, {})
-03-26 16:18:06 I/ConsoleReporter: [148/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DownloadManagerTest#testDownloadManagerSupportsHttp pass
-03-26 16:18:06 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DownloadManagerTest#testDownloadManagerSupportsHttpWithExternalWebServer)
-03-26 16:18:06 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DownloadManagerTest#testDownloadManagerSupportsHttpWithExternalWebServer, {})
-03-26 16:18:06 I/ConsoleReporter: [149/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DownloadManagerTest#testDownloadManagerSupportsHttpWithExternalWebServer pass
-03-26 16:18:06 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DownloadManagerTest#testDownloadManagerSupportsHttpsWithExternalWebServer)
-03-26 16:18:06 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DownloadManagerTest#testDownloadManagerSupportsHttpsWithExternalWebServer, {})
-03-26 16:18:06 I/ConsoleReporter: [150/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DownloadManagerTest#testDownloadManagerSupportsHttpsWithExternalWebServer pass
-03-26 16:18:06 D/ModuleListener: ModuleListener.testStarted(android.app.cts.DownloadManagerTest#testMinimumDownload)
-03-26 16:18:12 D/ModuleListener: ModuleListener.testEnded(android.app.cts.DownloadManagerTest#testMinimumDownload, {})
-03-26 16:18:12 I/ConsoleReporter: [151/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.DownloadManagerTest#testMinimumDownload pass
-03-26 16:18:12 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ExpandableListActivityTest#testCallback)
-03-26 16:18:13 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ExpandableListActivityTest#testCallback, {})
-03-26 16:18:13 I/ConsoleReporter: [152/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ExpandableListActivityTest#testCallback pass
-03-26 16:18:13 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ExpandableListActivityTest#testSelect)
-03-26 16:18:14 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ExpandableListActivityTest#testSelect, {})
-03-26 16:18:14 I/ConsoleReporter: [153/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ExpandableListActivityTest#testSelect pass
-03-26 16:18:14 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ExpandableListActivityTest#testView)
-03-26 16:18:14 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ExpandableListActivityTest#testView, {})
-03-26 16:18:14 I/ConsoleReporter: [154/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ExpandableListActivityTest#testView pass
-03-26 16:18:14 D/ModuleListener: ModuleListener.testStarted(android.app.cts.FragmentReplaceTest#testReplaceFragment)
-03-26 16:18:14 D/ModuleListener: ModuleListener.testEnded(android.app.cts.FragmentReplaceTest#testReplaceFragment, {})
-03-26 16:18:14 I/ConsoleReporter: [155/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.FragmentReplaceTest#testReplaceFragment pass
-03-26 16:18:14 D/ModuleListener: ModuleListener.testStarted(android.app.cts.FragmentTest#testInstantiateFragment)
-03-26 16:18:14 D/ModuleListener: ModuleListener.testEnded(android.app.cts.FragmentTest#testInstantiateFragment, {})
-03-26 16:18:14 I/ConsoleReporter: [156/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.FragmentTest#testInstantiateFragment pass
-03-26 16:18:14 D/ModuleListener: ModuleListener.testStarted(android.app.cts.FragmentTest#testInstantiateNonFragment)
-03-26 16:18:14 D/ModuleListener: ModuleListener.testEnded(android.app.cts.FragmentTest#testInstantiateNonFragment, {})
-03-26 16:18:14 I/ConsoleReporter: [157/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.FragmentTest#testInstantiateNonFragment pass
-03-26 16:18:14 D/ModuleListener: ModuleListener.testStarted(android.app.cts.FragmentTransitionTest#testAddRemoved)
-03-26 16:18:15 D/ModuleListener: ModuleListener.testEnded(android.app.cts.FragmentTransitionTest#testAddRemoved, {})
-03-26 16:18:15 I/ConsoleReporter: [158/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.FragmentTransitionTest#testAddRemoved pass
-03-26 16:18:15 D/ModuleListener: ModuleListener.testStarted(android.app.cts.FragmentTransitionTest#testFirstOutLastInTransition)
-03-26 16:18:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.FragmentTransitionTest#testFirstOutLastInTransition, {})
-03-26 16:18:16 I/ConsoleReporter: [159/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.FragmentTransitionTest#testFirstOutLastInTransition pass
-03-26 16:18:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.FragmentTransitionTest#testFragmentTransition)
-03-26 16:18:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.FragmentTransitionTest#testFragmentTransition, {})
-03-26 16:18:18 I/ConsoleReporter: [160/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.FragmentTransitionTest#testFragmentTransition pass
-03-26 16:18:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.FragmentTransitionTest#testNullTransition)
-03-26 16:18:18 D/ModuleListener: ModuleListener.testEnded(android.app.cts.FragmentTransitionTest#testNullTransition, {})
-03-26 16:18:18 I/ConsoleReporter: [161/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.FragmentTransitionTest#testNullTransition pass
-03-26 16:18:18 D/ModuleListener: ModuleListener.testStarted(android.app.cts.FragmentTransitionTest#testPopTwo)
-03-26 16:18:20 D/ModuleListener: ModuleListener.testEnded(android.app.cts.FragmentTransitionTest#testPopTwo, {})
-03-26 16:18:20 I/ConsoleReporter: [162/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.FragmentTransitionTest#testPopTwo pass
-03-26 16:18:20 D/ModuleListener: ModuleListener.testStarted(android.app.cts.FragmentTransitionTest#testRemoveAdded)
-03-26 16:18:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.FragmentTransitionTest#testRemoveAdded, {})
-03-26 16:18:21 I/ConsoleReporter: [163/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.FragmentTransitionTest#testRemoveAdded pass
-03-26 16:18:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testAllocCounting)
-03-26 16:18:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testAllocCounting, {})
-03-26 16:18:21 I/ConsoleReporter: [164/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testAllocCounting pass
-03-26 16:18:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallActivityOnCreate)
-03-26 16:18:22 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallActivityOnCreate, {})
-03-26 16:18:22 I/ConsoleReporter: [165/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallActivityOnCreate pass
-03-26 16:18:22 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallActivityOnNewIntent)
-03-26 16:18:22 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallActivityOnNewIntent, {})
-03-26 16:18:22 I/ConsoleReporter: [166/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallActivityOnNewIntent pass
-03-26 16:18:22 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallActivityOnPause)
-03-26 16:18:22 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallActivityOnPause, {})
-03-26 16:18:22 I/ConsoleReporter: [167/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallActivityOnPause pass
-03-26 16:18:22 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallActivityOnPostCreate)
-03-26 16:18:22 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallActivityOnPostCreate, {})
-03-26 16:18:22 I/ConsoleReporter: [168/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallActivityOnPostCreate pass
-03-26 16:18:22 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallActivityOnRestart)
-03-26 16:18:23 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallActivityOnRestart, {})
-03-26 16:18:23 I/ConsoleReporter: [169/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallActivityOnRestart pass
-03-26 16:18:23 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallActivityOnRestoreInstanceState)
-03-26 16:18:23 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallActivityOnRestoreInstanceState, {})
-03-26 16:18:23 I/ConsoleReporter: [170/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallActivityOnRestoreInstanceState pass
-03-26 16:18:23 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallActivityOnResume)
-03-26 16:18:23 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallActivityOnResume, {})
-03-26 16:18:23 I/ConsoleReporter: [171/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallActivityOnResume pass
-03-26 16:18:23 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallActivityOnSaveInstanceState)
-03-26 16:18:23 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallActivityOnSaveInstanceState, {})
-03-26 16:18:23 I/ConsoleReporter: [172/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallActivityOnSaveInstanceState pass
-03-26 16:18:23 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallActivityOnStart)
-03-26 16:18:24 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallActivityOnStart, {})
-03-26 16:18:24 I/ConsoleReporter: [173/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallActivityOnStart pass
-03-26 16:18:24 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallActivityOnStop)
-03-26 16:18:24 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallActivityOnStop, {})
-03-26 16:18:24 I/ConsoleReporter: [174/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallActivityOnStop pass
-03-26 16:18:24 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallActivityOnUserLeaving)
-03-26 16:18:24 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallActivityOnUserLeaving, {})
-03-26 16:18:24 I/ConsoleReporter: [175/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallActivityOnUserLeaving pass
-03-26 16:18:24 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testCallApplicationOnCreate)
-03-26 16:18:24 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testCallApplicationOnCreate, {})
-03-26 16:18:24 I/ConsoleReporter: [176/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testCallApplicationOnCreate pass
-03-26 16:18:24 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testConstructor)
-03-26 16:18:24 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testConstructor, {})
-03-26 16:18:24 I/ConsoleReporter: [177/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testConstructor pass
-03-26 16:18:24 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testContext)
-03-26 16:18:25 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testContext, {})
-03-26 16:18:25 I/ConsoleReporter: [178/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testContext pass
-03-26 16:18:25 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testGetComponentName)
-03-26 16:18:25 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testGetComponentName, {})
-03-26 16:18:25 I/ConsoleReporter: [179/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testGetComponentName pass
-03-26 16:18:25 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testInvokeContextMenuAction)
-03-26 16:18:25 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testInvokeContextMenuAction, {})
-03-26 16:18:25 I/ConsoleReporter: [180/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testInvokeContextMenuAction pass
-03-26 16:18:25 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testInvokeMenuActionSync)
-03-26 16:18:26 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testInvokeMenuActionSync, {})
-03-26 16:18:26 I/ConsoleReporter: [181/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testInvokeMenuActionSync pass
-03-26 16:18:26 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testMisc)
-03-26 16:18:26 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testMisc, {})
-03-26 16:18:26 I/ConsoleReporter: [182/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testMisc pass
-03-26 16:18:26 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testMonitor)
-03-26 16:18:28 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testMonitor, {})
-03-26 16:18:28 I/ConsoleReporter: [183/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testMonitor pass
-03-26 16:18:28 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testNewActivity)
-03-26 16:18:28 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testNewActivity, {})
-03-26 16:18:28 I/ConsoleReporter: [184/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testNewActivity pass
-03-26 16:18:28 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testNewApplication)
-03-26 16:18:28 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testNewApplication, {})
-03-26 16:18:28 I/ConsoleReporter: [185/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testNewApplication pass
-03-26 16:18:28 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testPerformanceSnapshot)
-03-26 16:18:29 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testPerformanceSnapshot, {})
-03-26 16:18:29 I/ConsoleReporter: [186/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testPerformanceSnapshot pass
-03-26 16:18:29 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testProfiling)
-03-26 16:18:29 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testProfiling, {})
-03-26 16:18:29 I/ConsoleReporter: [187/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testProfiling pass
-03-26 16:18:29 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testRunOnMainSync)
-03-26 16:18:29 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testRunOnMainSync, {})
-03-26 16:18:29 I/ConsoleReporter: [188/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testRunOnMainSync pass
-03-26 16:18:29 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testSendCharacterSync)
-03-26 16:18:29 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testSendCharacterSync, {})
-03-26 16:18:29 I/ConsoleReporter: [189/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testSendCharacterSync pass
-03-26 16:18:29 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testSendKeyDownUpSync)
-03-26 16:18:30 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testSendKeyDownUpSync, {})
-03-26 16:18:30 I/ConsoleReporter: [190/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testSendKeyDownUpSync pass
-03-26 16:18:30 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testSendKeySync)
-03-26 16:18:30 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testSendKeySync, {})
-03-26 16:18:30 I/ConsoleReporter: [191/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testSendKeySync pass
-03-26 16:18:30 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testSendPointerSync)
-03-26 16:18:30 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testSendPointerSync, {})
-03-26 16:18:30 I/ConsoleReporter: [192/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testSendPointerSync pass
-03-26 16:18:30 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testSendStringSync)
-03-26 16:18:30 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testSendStringSync, {})
-03-26 16:18:30 I/ConsoleReporter: [193/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testSendStringSync pass
-03-26 16:18:30 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testSendTrackballEventSync)
-03-26 16:18:31 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testSendTrackballEventSync, {})
-03-26 16:18:31 I/ConsoleReporter: [194/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testSendTrackballEventSync pass
-03-26 16:18:31 D/ModuleListener: ModuleListener.testStarted(android.app.cts.InstrumentationTest#testWaitForIdle)
-03-26 16:18:32 D/ModuleListener: ModuleListener.testEnded(android.app.cts.InstrumentationTest#testWaitForIdle, {})
-03-26 16:18:32 I/ConsoleReporter: [195/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.InstrumentationTest#testWaitForIdle pass
-03-26 16:18:32 D/ModuleListener: ModuleListener.testStarted(android.app.cts.Instrumentation_ActivityMonitorTest#testActivityMonitor)
-03-26 16:18:32 D/ModuleListener: ModuleListener.testEnded(android.app.cts.Instrumentation_ActivityMonitorTest#testActivityMonitor, {})
-03-26 16:18:32 I/ConsoleReporter: [196/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.Instrumentation_ActivityMonitorTest#testActivityMonitor pass
-03-26 16:18:32 D/ModuleListener: ModuleListener.testStarted(android.app.cts.Instrumentation_ActivityResultTest#testActivityResultOp)
-03-26 16:18:32 D/ModuleListener: ModuleListener.testEnded(android.app.cts.Instrumentation_ActivityResultTest#testActivityResultOp, {})
-03-26 16:18:32 I/ConsoleReporter: [197/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.Instrumentation_ActivityResultTest#testActivityResultOp pass
-03-26 16:18:32 D/ModuleListener: ModuleListener.testStarted(android.app.cts.IntentServiceTest#testIntentServiceLifeCycle)
-03-26 16:18:33 D/ModuleListener: ModuleListener.testEnded(android.app.cts.IntentServiceTest#testIntentServiceLifeCycle, {})
-03-26 16:18:33 I/ConsoleReporter: [198/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.IntentServiceTest#testIntentServiceLifeCycle pass
-03-26 16:18:33 D/ModuleListener: ModuleListener.testStarted(android.app.cts.IntentServiceTest#testIntents)
-03-26 16:18:33 D/ModuleListener: ModuleListener.testEnded(android.app.cts.IntentServiceTest#testIntents, {})
-03-26 16:18:33 I/ConsoleReporter: [199/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.IntentServiceTest#testIntents pass
-03-26 16:18:33 D/ModuleListener: ModuleListener.testStarted(android.app.cts.KeyguardManagerKeyguardLockTest#testDisableKeyguard)
-03-26 16:18:33 D/ModuleListener: ModuleListener.testEnded(android.app.cts.KeyguardManagerKeyguardLockTest#testDisableKeyguard, {})
-03-26 16:18:33 I/ConsoleReporter: [200/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.KeyguardManagerKeyguardLockTest#testDisableKeyguard pass
-03-26 16:18:33 D/ModuleListener: ModuleListener.testStarted(android.app.cts.KeyguardManagerKeyguardLockTest#testReenableKeyguard)
-03-26 16:18:33 D/ModuleListener: ModuleListener.testEnded(android.app.cts.KeyguardManagerKeyguardLockTest#testReenableKeyguard, {})
-03-26 16:18:33 I/ConsoleReporter: [201/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.KeyguardManagerKeyguardLockTest#testReenableKeyguard pass
-03-26 16:18:33 D/ModuleListener: ModuleListener.testStarted(android.app.cts.KeyguardManagerTest#testNewKeyguardLock)
-03-26 16:18:33 D/ModuleListener: ModuleListener.testEnded(android.app.cts.KeyguardManagerTest#testNewKeyguardLock, {})
-03-26 16:18:33 I/ConsoleReporter: [202/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.KeyguardManagerTest#testNewKeyguardLock pass
-03-26 16:18:33 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LaunchTest#testClearTopInCreate)
-03-26 16:18:33 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LaunchTest#testClearTopInCreate, {})
-03-26 16:18:33 I/ConsoleReporter: [203/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LaunchTest#testClearTopInCreate pass
-03-26 16:18:33 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LaunchTest#testClearTopWhilResumed)
-03-26 16:18:34 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LaunchTest#testClearTopWhilResumed, {})
-03-26 16:18:34 I/ConsoleReporter: [204/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LaunchTest#testClearTopWhilResumed pass
-03-26 16:18:34 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LaunchTest#testColdActivity)
-03-26 16:18:36 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LaunchTest#testColdActivity, {})
-03-26 16:18:36 I/ConsoleReporter: [205/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LaunchTest#testColdActivity pass
-03-26 16:18:36 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LaunchTest#testColdScreen)
-03-26 16:18:37 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LaunchTest#testColdScreen, {})
-03-26 16:18:37 I/ConsoleReporter: [206/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LaunchTest#testColdScreen pass
-03-26 16:18:37 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LaunchTest#testForwardResult)
-03-26 16:18:37 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LaunchTest#testForwardResult, {})
-03-26 16:18:37 I/ConsoleReporter: [207/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LaunchTest#testForwardResult pass
-03-26 16:18:37 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LaunchTest#testLocalActivity)
-03-26 16:18:37 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LaunchTest#testLocalActivity, {})
-03-26 16:18:37 I/ConsoleReporter: [208/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LaunchTest#testLocalActivity pass
-03-26 16:18:37 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LaunchTest#testLocalScreen)
-03-26 16:18:37 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LaunchTest#testLocalScreen, {})
-03-26 16:18:37 I/ConsoleReporter: [209/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LaunchTest#testLocalScreen pass
-03-26 16:18:37 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LauncherActivityTest#testLaunchActivity)
-03-26 16:18:39 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LauncherActivityTest#testLaunchActivity, {})
-03-26 16:18:39 I/ConsoleReporter: [210/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LauncherActivityTest#testLaunchActivity pass
-03-26 16:18:39 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LauncherActivity_IconResizerTest#testIconResizer)
-03-26 16:18:39 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LauncherActivity_IconResizerTest#testIconResizer, {})
-03-26 16:18:39 I/ConsoleReporter: [211/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LauncherActivity_IconResizerTest#testIconResizer pass
-03-26 16:18:39 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LauncherActivity_ListItemTest#testConstructor)
-03-26 16:18:39 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LauncherActivity_ListItemTest#testConstructor, {})
-03-26 16:18:39 I/ConsoleReporter: [212/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LauncherActivity_ListItemTest#testConstructor pass
-03-26 16:18:39 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LifecycleTest#testBasic)
-03-26 16:18:39 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LifecycleTest#testBasic, {})
-03-26 16:18:39 I/ConsoleReporter: [213/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LifecycleTest#testBasic pass
-03-26 16:18:39 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LifecycleTest#testDialog)
-03-26 16:18:41 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LifecycleTest#testDialog, {})
-03-26 16:18:41 I/ConsoleReporter: [214/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LifecycleTest#testDialog pass
-03-26 16:18:41 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LifecycleTest#testScreen)
-03-26 16:18:42 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LifecycleTest#testScreen, {})
-03-26 16:18:42 I/ConsoleReporter: [215/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LifecycleTest#testScreen pass
-03-26 16:18:42 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LifecycleTest#testTabBasic)
-03-26 16:18:52 D/ModuleListener: ModuleListener.testFailed(android.app.cts.LifecycleTest#testTabBasic, java.lang.RuntimeException: Intent { act=Timeout }

-at android.app.stubs.ActivityTestsBase.waitForResultOrThrow(ActivityTestsBase.java:154)

-at android.app.stubs.ActivityTestsBase.waitForResultOrThrow(ActivityTestsBase.java:146)

-at android.app.stubs.ActivityTestsBase.runLaunchpad(ActivityTestsBase.java:131)

-at android.app.cts.LifecycleTest.testTabBasic(LifecycleTest.java:59)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-Caused by: java.lang.RuntimeException: Original error was here

-at android.app.stubs.LaunchpadActivity.setTestResult(LaunchpadActivity.java:534)

-at android.app.stubs.LaunchpadActivity.finishWithResult(LaunchpadActivity.java:521)

-at android.app.stubs.LaunchpadActivity.finishBad(LaunchpadActivity.java:517)

-at android.app.stubs.LaunchpadActivity.-wrap0(LaunchpadActivity.java)

-at android.app.stubs.LaunchpadActivity$4.run(LaunchpadActivity.java:638)

-at android.os.Handler.handleCallback(Handler.java:751)

-at android.os.Handler.dispatchMessage(Handler.java:95)

-at android.os.Looper.loop(Looper.java:154)

-at android.app.ActivityThread.main(ActivityThread.java:6265)

-at java.lang.reflect.Method.invoke(Native Method)

-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)

-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)

-)
-03-26 16:18:52 I/ConsoleReporter: [216/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LifecycleTest#testTabBasic fail: java.lang.RuntimeException: Intent { act=Timeout }

-at android.app.stubs.ActivityTestsBase.waitForResultOrThrow(ActivityTestsBase.java:154)

-at android.app.stubs.ActivityTestsBase.waitForResultOrThrow(ActivityTestsBase.java:146)

-at android.app.stubs.ActivityTestsBase.runLaunchpad(ActivityTestsBase.java:131)

-at android.app.cts.LifecycleTest.testTabBasic(LifecycleTest.java:59)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-Caused by: java.lang.RuntimeException: Original error was here

-at android.app.stubs.LaunchpadActivity.setTestResult(LaunchpadActivity.java:534)

-at android.app.stubs.LaunchpadActivity.finishWithResult(LaunchpadActivity.java:521)

-at android.app.stubs.LaunchpadActivity.finishBad(LaunchpadActivity.java:517)

-at android.app.stubs.LaunchpadActivity.-wrap0(LaunchpadActivity.java)

-at android.app.stubs.LaunchpadActivity$4.run(LaunchpadActivity.java:638)

-at android.os.Handler.handleCallback(Handler.java:751)

-at android.os.Handler.dispatchMessage(Handler.java:95)

-at android.os.Looper.loop(Looper.java:154)

-at android.app.ActivityThread.main(ActivityThread.java:6265)

-at java.lang.reflect.Method.invoke(Native Method)

-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)

-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)

-
-03-26 16:18:52 I/FailureListener: FailureListener.testFailed android.app.cts.LifecycleTest#testTabBasic false true false
-03-26 16:18:54 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24 with prefix "android.app.cts.LifecycleTest#testTabBasic-logcat_" suffix ".zip"
-03-26 16:18:54 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24/android.app.cts.LifecycleTest#testTabBasic-logcat_6948728930863287330.zip
-03-26 16:18:54 I/ResultReporter: Saved logs for android.app.cts.LifecycleTest#testTabBasic-logcat in /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24/android.app.cts.LifecycleTest#testTabBasic-logcat_6948728930863287330.zip
-03-26 16:18:54 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_7415891576764823370 with prefix "android.app.cts.LifecycleTest#testTabBasic-logcat_" suffix ".zip"
-03-26 16:18:54 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:18:54 D/RunUtil: Running [chmod]
-03-26 16:18:54 D/RunUtil: [chmod] command failed. return code 1
-03-26 16:18:54 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.LifecycleTest#testTabBasic-logcat_1564817119535916838.zip to ug+rwx
-03-26 16:18:54 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:18:54 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.LifecycleTest#testTabBasic-logcat_1564817119535916838.zip]
-03-26 16:18:54 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.LifecycleTest#testTabBasic-logcat_1564817119535916838.zip
-03-26 16:18:54 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LifecycleTest#testTabBasic, {})
-03-26 16:18:54 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LifecycleTest#testTabDialog)
-03-26 16:18:54 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LifecycleTest#testTabDialog, {})
-03-26 16:18:54 I/ConsoleReporter: [217/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LifecycleTest#testTabDialog pass
-03-26 16:18:54 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LifecycleTest#testTabScreen)
-03-26 16:18:54 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LifecycleTest#testTabScreen, {})
-03-26 16:18:54 I/ConsoleReporter: [218/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LifecycleTest#testTabScreen pass
-03-26 16:18:54 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ListActivityTest#testAdapter)
-03-26 16:18:54 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ListActivityTest#testAdapter, {})
-03-26 16:18:54 I/ConsoleReporter: [219/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ListActivityTest#testAdapter pass
-03-26 16:18:54 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ListActivityTest#testItemClick)
-03-26 16:18:55 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ListActivityTest#testItemClick, {})
-03-26 16:18:55 I/ConsoleReporter: [220/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ListActivityTest#testItemClick pass
-03-26 16:18:55 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ListActivityTest#testSelection)
-03-26 16:18:55 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ListActivityTest#testSelection, {})
-03-26 16:18:55 I/ConsoleReporter: [221/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ListActivityTest#testSelection pass
-03-26 16:18:55 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LocalActivityManagerTest#testConstructor)
-03-26 16:18:55 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LocalActivityManagerTest#testConstructor, {})
-03-26 16:18:55 I/ConsoleReporter: [222/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LocalActivityManagerTest#testConstructor pass
-03-26 16:18:55 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LocalActivityManagerTest#testDispatchCreate)
-03-26 16:18:56 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LocalActivityManagerTest#testDispatchCreate, {})
-03-26 16:18:56 I/ConsoleReporter: [223/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LocalActivityManagerTest#testDispatchCreate pass
-03-26 16:18:56 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LocalActivityManagerTest#testDispatchDestroy)
-03-26 16:18:56 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LocalActivityManagerTest#testDispatchDestroy, {})
-03-26 16:18:56 I/ConsoleReporter: [224/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LocalActivityManagerTest#testDispatchDestroy pass
-03-26 16:18:56 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LocalActivityManagerTest#testDispatchPauseFalse)
-03-26 16:18:57 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LocalActivityManagerTest#testDispatchPauseFalse, {})
-03-26 16:18:57 I/ConsoleReporter: [225/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LocalActivityManagerTest#testDispatchPauseFalse pass
-03-26 16:18:57 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LocalActivityManagerTest#testDispatchPauseTrue)
-03-26 16:18:57 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LocalActivityManagerTest#testDispatchPauseTrue, {})
-03-26 16:18:57 I/ConsoleReporter: [226/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LocalActivityManagerTest#testDispatchPauseTrue pass
-03-26 16:18:57 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LocalActivityManagerTest#testDispatchResume)
-03-26 16:18:57 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LocalActivityManagerTest#testDispatchResume, {})
-03-26 16:18:57 I/ConsoleReporter: [227/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LocalActivityManagerTest#testDispatchResume pass
-03-26 16:18:57 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LocalActivityManagerTest#testDispatchStop)
-03-26 16:18:57 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LocalActivityManagerTest#testDispatchStop, {})
-03-26 16:18:57 I/ConsoleReporter: [228/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LocalActivityManagerTest#testDispatchStop pass
-03-26 16:18:57 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LocalActivityManagerTest#testRemoveAllActivities)
-03-26 16:18:58 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LocalActivityManagerTest#testRemoveAllActivities, {})
-03-26 16:18:58 I/ConsoleReporter: [229/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LocalActivityManagerTest#testRemoveAllActivities pass
-03-26 16:18:58 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LocalActivityManagerTest#testSaveInstanceState)
-03-26 16:18:58 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LocalActivityManagerTest#testSaveInstanceState, {})
-03-26 16:18:58 I/ConsoleReporter: [230/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LocalActivityManagerTest#testSaveInstanceState pass
-03-26 16:18:58 D/ModuleListener: ModuleListener.testStarted(android.app.cts.LocalActivityManagerTest#testStartActivity)
-03-26 16:18:58 D/ModuleListener: ModuleListener.testEnded(android.app.cts.LocalActivityManagerTest#testStartActivity, {})
-03-26 16:18:58 I/ConsoleReporter: [231/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.LocalActivityManagerTest#testStartActivity pass
-03-26 16:18:58 D/ModuleListener: ModuleListener.testStarted(android.app.cts.NotificationManagerTest#testCancel)
-03-26 16:18:59 D/ModuleListener: ModuleListener.testEnded(android.app.cts.NotificationManagerTest#testCancel, {})
-03-26 16:18:59 I/ConsoleReporter: [232/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.NotificationManagerTest#testCancel pass
-03-26 16:18:59 D/ModuleListener: ModuleListener.testStarted(android.app.cts.NotificationManagerTest#testCancelAll)
-03-26 16:18:59 D/ModuleListener: ModuleListener.testEnded(android.app.cts.NotificationManagerTest#testCancelAll, {})
-03-26 16:18:59 I/ConsoleReporter: [233/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.NotificationManagerTest#testCancelAll pass
-03-26 16:18:59 D/ModuleListener: ModuleListener.testStarted(android.app.cts.NotificationManagerTest#testNotify)
-03-26 16:18:59 D/ModuleListener: ModuleListener.testEnded(android.app.cts.NotificationManagerTest#testNotify, {})
-03-26 16:18:59 I/ConsoleReporter: [234/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.NotificationManagerTest#testNotify pass
-03-26 16:18:59 D/ModuleListener: ModuleListener.testStarted(android.app.cts.NotificationTest#testBuilder)
-03-26 16:18:59 D/ModuleListener: ModuleListener.testEnded(android.app.cts.NotificationTest#testBuilder, {})
-03-26 16:18:59 I/ConsoleReporter: [235/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.NotificationTest#testBuilder pass
-03-26 16:18:59 D/ModuleListener: ModuleListener.testStarted(android.app.cts.NotificationTest#testConstructor)
-03-26 16:18:59 D/ModuleListener: ModuleListener.testEnded(android.app.cts.NotificationTest#testConstructor, {})
-03-26 16:18:59 I/ConsoleReporter: [236/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.NotificationTest#testConstructor pass
-03-26 16:18:59 D/ModuleListener: ModuleListener.testStarted(android.app.cts.NotificationTest#testDescribeContents)
-03-26 16:18:59 D/ModuleListener: ModuleListener.testEnded(android.app.cts.NotificationTest#testDescribeContents, {})
-03-26 16:18:59 I/ConsoleReporter: [237/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.NotificationTest#testDescribeContents pass
-03-26 16:18:59 D/ModuleListener: ModuleListener.testStarted(android.app.cts.NotificationTest#testToString)
-03-26 16:18:59 D/ModuleListener: ModuleListener.testEnded(android.app.cts.NotificationTest#testToString, {})
-03-26 16:18:59 I/ConsoleReporter: [238/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.NotificationTest#testToString pass
-03-26 16:19:00 D/ModuleListener: ModuleListener.testStarted(android.app.cts.NotificationTest#testWriteToParcel)
-03-26 16:19:01 D/ModuleListener: ModuleListener.testEnded(android.app.cts.NotificationTest#testWriteToParcel, {})
-03-26 16:19:01 I/ConsoleReporter: [239/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.NotificationTest#testWriteToParcel pass
-03-26 16:19:01 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testCancel)
-03-26 16:19:01 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testCancel, {})
-03-26 16:19:01 I/ConsoleReporter: [240/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testCancel pass
-03-26 16:19:01 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testDescribeContents)
-03-26 16:19:01 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testDescribeContents, {})
-03-26 16:19:01 I/ConsoleReporter: [241/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testDescribeContents pass
-03-26 16:19:01 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testEquals)
-03-26 16:19:01 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testEquals, {})
-03-26 16:19:01 I/ConsoleReporter: [242/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testEquals pass
-03-26 16:19:01 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testGetActivity)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testGetActivity, {})
-03-26 16:19:02 I/ConsoleReporter: [243/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testGetActivity pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testGetBroadcast)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testGetBroadcast, {})
-03-26 16:19:02 I/ConsoleReporter: [244/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testGetBroadcast pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testGetService)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testGetService, {})
-03-26 16:19:02 I/ConsoleReporter: [245/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testGetService pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testGetTargetPackage)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testGetTargetPackage, {})
-03-26 16:19:02 I/ConsoleReporter: [246/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testGetTargetPackage pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testReadAndWritePendingIntentOrNullToParcel)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testReadAndWritePendingIntentOrNullToParcel, {})
-03-26 16:19:02 I/ConsoleReporter: [247/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testReadAndWritePendingIntentOrNullToParcel pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testSend)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testSend, {})
-03-26 16:19:02 I/ConsoleReporter: [248/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testSend pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testSendNoReceiverOnFinishedHandler)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testSendNoReceiverOnFinishedHandler, {})
-03-26 16:19:02 I/ConsoleReporter: [249/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testSendNoReceiverOnFinishedHandler pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testSendWithParamContextIntIntent)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testSendWithParamContextIntIntent, {})
-03-26 16:19:02 I/ConsoleReporter: [250/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testSendWithParamContextIntIntent pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testSendWithParamContextIntIntentOnFinishedHandler)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testSendWithParamContextIntIntentOnFinishedHandler, {})
-03-26 16:19:02 I/ConsoleReporter: [251/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testSendWithParamContextIntIntentOnFinishedHandler pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testSendWithParamInt)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testSendWithParamInt, {})
-03-26 16:19:02 I/ConsoleReporter: [252/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testSendWithParamInt pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testSendWithParamIntOnFinishedHandler)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testSendWithParamIntOnFinishedHandler, {})
-03-26 16:19:02 I/ConsoleReporter: [253/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testSendWithParamIntOnFinishedHandler pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testStartServiceOnFinishedHandler)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testStartServiceOnFinishedHandler, {})
-03-26 16:19:02 I/ConsoleReporter: [254/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testStartServiceOnFinishedHandler pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntentTest#testWriteToParcel)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntentTest#testWriteToParcel, {})
-03-26 16:19:02 I/ConsoleReporter: [255/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntentTest#testWriteToParcel pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PendingIntent_CanceledExceptionTest#testConstructor)
-03-26 16:19:02 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PendingIntent_CanceledExceptionTest#testConstructor, {})
-03-26 16:19:02 I/ConsoleReporter: [256/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PendingIntent_CanceledExceptionTest#testConstructor pass
-03-26 16:19:02 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PipActivityTest#testLaunchPipActivity)
-03-26 16:19:03 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PipActivityTest#testLaunchPipActivity, {})
-03-26 16:19:03 I/ConsoleReporter: [257/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PipActivityTest#testLaunchPipActivity pass
-03-26 16:19:03 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PipNotResizeableActivityTest#testLaunchPipNotResizeableActivity)
-03-26 16:19:03 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PipNotResizeableActivityTest#testLaunchPipNotResizeableActivity, {})
-03-26 16:19:03 I/ConsoleReporter: [258/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PipNotResizeableActivityTest#testLaunchPipNotResizeableActivity pass
-03-26 16:19:03 D/ModuleListener: ModuleListener.testStarted(android.app.cts.PipNotSupportedActivityTest#testLaunchPipNotSupportedActivity)
-03-26 16:19:04 D/ModuleListener: ModuleListener.testEnded(android.app.cts.PipNotSupportedActivityTest#testLaunchPipNotSupportedActivity, {})
-03-26 16:19:04 I/ConsoleReporter: [259/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.PipNotSupportedActivityTest#testLaunchPipNotSupportedActivity pass
-03-26 16:19:04 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testAccessMax)
-03-26 16:19:04 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testAccessMax, {})
-03-26 16:19:04 I/ConsoleReporter: [260/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testAccessMax pass
-03-26 16:19:04 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testAccessProgress)
-03-26 16:19:04 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testAccessProgress, {})
-03-26 16:19:04 I/ConsoleReporter: [261/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testAccessProgress pass
-03-26 16:19:04 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testAccessSecondaryProgress)
-03-26 16:19:05 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testAccessSecondaryProgress, {})
-03-26 16:19:05 I/ConsoleReporter: [262/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testAccessSecondaryProgress pass
-03-26 16:19:05 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testIncrementProgressBy)
-03-26 16:19:05 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testIncrementProgressBy, {})
-03-26 16:19:05 I/ConsoleReporter: [263/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testIncrementProgressBy pass
-03-26 16:19:05 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testIncrementSecondaryProgressBy)
-03-26 16:19:06 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testIncrementSecondaryProgressBy, {})
-03-26 16:19:06 I/ConsoleReporter: [264/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testIncrementSecondaryProgressBy pass
-03-26 16:19:06 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testOnStartCreateStop)
-03-26 16:19:06 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testOnStartCreateStop, {})
-03-26 16:19:06 I/ConsoleReporter: [265/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testOnStartCreateStop pass
-03-26 16:19:06 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testProgressDialog1)
-03-26 16:19:07 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testProgressDialog1, {})
-03-26 16:19:07 I/ConsoleReporter: [266/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testProgressDialog1 pass
-03-26 16:19:07 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testProgressDialog2)
-03-26 16:19:07 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testProgressDialog2, {})
-03-26 16:19:07 I/ConsoleReporter: [267/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testProgressDialog2 pass
-03-26 16:19:07 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testSetIndeterminate)
-03-26 16:19:07 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testSetIndeterminate, {})
-03-26 16:19:07 I/ConsoleReporter: [268/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testSetIndeterminate pass
-03-26 16:19:07 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testSetIndeterminateDrawable)
-03-26 16:19:07 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testSetIndeterminateDrawable, {})
-03-26 16:19:07 I/ConsoleReporter: [269/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testSetIndeterminateDrawable pass
-03-26 16:19:07 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testSetMessage)
-03-26 16:19:08 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testSetMessage, {})
-03-26 16:19:08 I/ConsoleReporter: [270/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testSetMessage pass
-03-26 16:19:08 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testSetProgressDrawable)
-03-26 16:19:08 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testSetProgressDrawable, {})
-03-26 16:19:08 I/ConsoleReporter: [271/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testSetProgressDrawable pass
-03-26 16:19:08 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testSetProgressStyle)
-03-26 16:19:09 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testSetProgressStyle, {})
-03-26 16:19:09 I/ConsoleReporter: [272/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testSetProgressStyle pass
-03-26 16:19:09 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testShow1)
-03-26 16:19:09 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testShow1, {})
-03-26 16:19:09 I/ConsoleReporter: [273/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testShow1 pass
-03-26 16:19:09 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testShow2)
-03-26 16:19:09 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testShow2, {})
-03-26 16:19:09 I/ConsoleReporter: [274/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testShow2 pass
-03-26 16:19:09 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testShow3)
-03-26 16:19:10 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testShow3, {})
-03-26 16:19:10 I/ConsoleReporter: [275/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testShow3 pass
-03-26 16:19:10 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ProgressDialogTest#testShow4)
-03-26 16:19:10 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ProgressDialogTest#testShow4, {})
-03-26 16:19:10 I/ConsoleReporter: [276/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ProgressDialogTest#testShow4 pass
-03-26 16:19:10 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SearchManagerTest#testSetOnCancelListener)
-03-26 16:19:10 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SearchManagerTest#testSetOnCancelListener, {})
-03-26 16:19:10 I/ConsoleReporter: [277/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SearchManagerTest#testSetOnCancelListener pass
-03-26 16:19:10 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SearchManagerTest#testSetOnDismissListener)
-03-26 16:19:11 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SearchManagerTest#testSetOnDismissListener, {})
-03-26 16:19:11 I/ConsoleReporter: [278/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SearchManagerTest#testSetOnDismissListener pass
-03-26 16:19:11 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SearchManagerTest#testStopSearch)
-03-26 16:19:11 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SearchManagerTest#testStopSearch, {})
-03-26 16:19:11 I/ConsoleReporter: [279/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SearchManagerTest#testStopSearch pass
-03-26 16:19:11 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testForegroundService_detachNotificationOnStop)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testForegroundService_detachNotificationOnStop, {})
-03-26 16:19:16 I/ConsoleReporter: [280/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testForegroundService_detachNotificationOnStop pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testForegroundService_dontRemoveNotificationOnStop)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testForegroundService_dontRemoveNotificationOnStop, {})
-03-26 16:19:16 I/ConsoleReporter: [281/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testForegroundService_dontRemoveNotificationOnStop pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testForegroundService_removeNotificationOnStop)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testForegroundService_removeNotificationOnStop, {})
-03-26 16:19:16 I/ConsoleReporter: [282/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testForegroundService_removeNotificationOnStop pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testForegroundService_removeNotificationOnStopUsingFlags)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testForegroundService_removeNotificationOnStopUsingFlags, {})
-03-26 16:19:16 I/ConsoleReporter: [283/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testForegroundService_removeNotificationOnStopUsingFlags pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testImplicitIntentFailsOnApiLevel21)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testImplicitIntentFailsOnApiLevel21, {})
-03-26 16:19:16 I/ConsoleReporter: [284/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testImplicitIntentFailsOnApiLevel21 pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalBindAction)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalBindAction, {})
-03-26 16:19:16 I/ConsoleReporter: [285/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalBindAction pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalBindActionPermissions)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalBindActionPermissions, {})
-03-26 16:19:16 I/ConsoleReporter: [286/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalBindActionPermissions pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalBindAutoAction)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalBindAutoAction, {})
-03-26 16:19:16 I/ConsoleReporter: [287/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalBindAutoAction pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalBindAutoActionPermissionGranted)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalBindAutoActionPermissionGranted, {})
-03-26 16:19:16 I/ConsoleReporter: [288/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalBindAutoActionPermissionGranted pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalBindAutoClass)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalBindAutoClass, {})
-03-26 16:19:16 I/ConsoleReporter: [289/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalBindAutoClass pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalBindAutoClassPermissionGranted)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalBindAutoClassPermissionGranted, {})
-03-26 16:19:16 I/ConsoleReporter: [290/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalBindAutoClassPermissionGranted pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalBindClass)
-03-26 16:19:16 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalBindClass, {})
-03-26 16:19:16 I/ConsoleReporter: [291/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalBindClass pass
-03-26 16:19:16 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalBindClassPermissions)
-03-26 16:19:17 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalBindClassPermissions, {})
-03-26 16:19:17 I/ConsoleReporter: [292/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalBindClassPermissions pass
-03-26 16:19:17 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalStartAction)
-03-26 16:19:17 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalStartAction, {})
-03-26 16:19:17 I/ConsoleReporter: [293/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalStartAction pass
-03-26 16:19:17 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalStartActionPermissions)
-03-26 16:19:17 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalStartActionPermissions, {})
-03-26 16:19:17 I/ConsoleReporter: [294/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalStartActionPermissions pass
-03-26 16:19:17 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalStartClass)
-03-26 16:19:17 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalStartClass, {})
-03-26 16:19:17 I/ConsoleReporter: [295/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalStartClass pass
-03-26 16:19:17 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalStartClassPermissions)
-03-26 16:19:17 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalStartClassPermissions, {})
-03-26 16:19:17 I/ConsoleReporter: [296/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalStartClassPermissions pass
-03-26 16:19:17 D/ModuleListener: ModuleListener.testStarted(android.app.cts.ServiceTest#testLocalUnbindTwice)
-03-26 16:19:17 D/ModuleListener: ModuleListener.testEnded(android.app.cts.ServiceTest#testLocalUnbindTwice, {})
-03-26 16:19:17 I/ConsoleReporter: [297/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.ServiceTest#testLocalUnbindTwice pass
-03-26 16:19:17 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testBluetoothFeature)
-03-26 16:19:17 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testBluetoothFeature, {})
-03-26 16:19:17 I/ConsoleReporter: [298/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testBluetoothFeature pass
-03-26 16:19:17 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testCameraFeatures)
-03-26 16:19:17 D/ModuleListener: ModuleListener.testFailed(android.app.cts.SystemFeaturesTest#testCameraFeatures, junit.framework.AssertionFailedError: PackageManager#hasSystemFeature should NOT return true for android.hardware.camera.front

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at junit.framework.Assert.assertFalse(Assert.java:34)

-at android.app.cts.SystemFeaturesTest.assertNotAvailable(SystemFeaturesTest.java:508)

-at android.app.cts.SystemFeaturesTest.testCameraFeatures(SystemFeaturesTest.java:122)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-26 16:19:17 I/ConsoleReporter: [299/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testCameraFeatures fail: junit.framework.AssertionFailedError: PackageManager#hasSystemFeature should NOT return true for android.hardware.camera.front

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at junit.framework.Assert.assertFalse(Assert.java:34)

-at android.app.cts.SystemFeaturesTest.assertNotAvailable(SystemFeaturesTest.java:508)

-at android.app.cts.SystemFeaturesTest.testCameraFeatures(SystemFeaturesTest.java:122)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-26 16:19:17 I/FailureListener: FailureListener.testFailed android.app.cts.SystemFeaturesTest#testCameraFeatures false true false
-03-26 16:19:19 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24 with prefix "android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_" suffix ".zip"
-03-26 16:19:19 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24/android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_531875273667484483.zip
-03-26 16:19:19 I/ResultReporter: Saved logs for android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat in /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24/android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_531875273667484483.zip
-03-26 16:19:19 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_7415891576764823370 with prefix "android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_" suffix ".zip"
-03-26 16:19:19 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:19:19 D/RunUtil: Running [chmod]
-03-26 16:19:19 D/RunUtil: [chmod] command failed. return code 1
-03-26 16:19:19 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_2249973588247787856.zip to ug+rwx
-03-26 16:19:19 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:19:19 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_2249973588247787856.zip]
-03-26 16:19:19 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.SystemFeaturesTest#testCameraFeatures-logcat_2249973588247787856.zip
-03-26 16:19:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testCameraFeatures, {})
-03-26 16:19:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testFeatureNamespaces)
-03-26 16:19:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testFeatureNamespaces, {})
-03-26 16:19:19 I/ConsoleReporter: [300/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testFeatureNamespaces pass
-03-26 16:19:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testLiveWallpaperFeature)
-03-26 16:19:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testLiveWallpaperFeature, {})
-03-26 16:19:19 I/ConsoleReporter: [301/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testLiveWallpaperFeature pass
-03-26 16:19:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testLocationFeatures)
-03-26 16:19:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testLocationFeatures, {})
-03-26 16:19:19 I/ConsoleReporter: [302/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testLocationFeatures pass
-03-26 16:19:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testNfcFeatures)
-03-26 16:19:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testNfcFeatures, {})
-03-26 16:19:19 I/ConsoleReporter: [303/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testNfcFeatures pass
-03-26 16:19:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testScreenFeatures)
-03-26 16:19:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testScreenFeatures, {})
-03-26 16:19:19 I/ConsoleReporter: [304/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testScreenFeatures pass
-03-26 16:19:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testSensorFeatures)
-03-26 16:19:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testSensorFeatures, {})
-03-26 16:19:19 I/ConsoleReporter: [305/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testSensorFeatures pass
-03-26 16:19:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testSipFeatures)
-03-26 16:19:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testSipFeatures, {})
-03-26 16:19:19 I/ConsoleReporter: [306/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testSipFeatures pass
-03-26 16:19:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testTelephonyFeatures)
-03-26 16:19:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testTelephonyFeatures, {})
-03-26 16:19:19 I/ConsoleReporter: [307/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testTelephonyFeatures pass
-03-26 16:19:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testTouchScreenFeatures)
-03-26 16:19:19 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testTouchScreenFeatures, {})
-03-26 16:19:19 I/ConsoleReporter: [308/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testTouchScreenFeatures pass
-03-26 16:19:19 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testUsbAccessory)
-03-26 16:19:19 D/ModuleListener: ModuleListener.testFailed(android.app.cts.SystemFeaturesTest#testUsbAccessory, junit.framework.AssertionFailedError: PackageManager#hasSystemFeature should return true for android.hardware.usb.accessory

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at android.app.cts.SystemFeaturesTest.assertAvailable(SystemFeaturesTest.java:501)

-at android.app.cts.SystemFeaturesTest.testUsbAccessory(SystemFeaturesTest.java:481)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-26 16:19:19 I/ConsoleReporter: [309/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testUsbAccessory fail: junit.framework.AssertionFailedError: PackageManager#hasSystemFeature should return true for android.hardware.usb.accessory

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at android.app.cts.SystemFeaturesTest.assertAvailable(SystemFeaturesTest.java:501)

-at android.app.cts.SystemFeaturesTest.testUsbAccessory(SystemFeaturesTest.java:481)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-26 16:19:19 I/FailureListener: FailureListener.testFailed android.app.cts.SystemFeaturesTest#testUsbAccessory false true false
-03-26 16:19:21 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24 with prefix "android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_" suffix ".zip"
-03-26 16:19:21 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24/android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_6365276785843226030.zip
-03-26 16:19:21 I/ResultReporter: Saved logs for android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat in /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.26_16.13.24/android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_6365276785843226030.zip
-03-26 16:19:21 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_7415891576764823370 with prefix "android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_" suffix ".zip"
-03-26 16:19:21 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:19:21 D/RunUtil: Running [chmod]
-03-26 16:19:21 D/RunUtil: [chmod] command failed. return code 1
-03-26 16:19:21 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_1763226413533355576.zip to ug+rwx
-03-26 16:19:21 D/RunUtil: Running command with timeout: 10000ms
-03-26 16:19:21 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_1763226413533355576.zip]
-03-26 16:19:21 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_7415891576764823370/android.app.cts.SystemFeaturesTest#testUsbAccessory-logcat_1763226413533355576.zip
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testUsbAccessory, {})
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.SystemFeaturesTest#testWifiFeature)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.SystemFeaturesTest#testWifiFeature, {})
-03-26 16:19:21 I/ConsoleReporter: [310/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.SystemFeaturesTest#testWifiFeature pass
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.TabActivityTest#testChildTitleCallback)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.TabActivityTest#testChildTitleCallback, {})
-03-26 16:19:21 I/ConsoleReporter: [311/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.TabActivityTest#testChildTitleCallback pass
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.TabActivityTest#testTabActivity)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.TabActivityTest#testTabActivity, {})
-03-26 16:19:21 I/ConsoleReporter: [312/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.TabActivityTest#testTabActivity pass
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.TimePickerDialogTest#testOnClick)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.TimePickerDialogTest#testOnClick, {})
-03-26 16:19:21 I/ConsoleReporter: [313/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.TimePickerDialogTest#testOnClick pass
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.TimePickerDialogTest#testOnRestoreInstanceState)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.TimePickerDialogTest#testOnRestoreInstanceState, {})
-03-26 16:19:21 I/ConsoleReporter: [314/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.TimePickerDialogTest#testOnRestoreInstanceState pass
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.TimePickerDialogTest#testOnTimeChanged)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.TimePickerDialogTest#testOnTimeChanged, {})
-03-26 16:19:21 I/ConsoleReporter: [315/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.TimePickerDialogTest#testOnTimeChanged pass
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.TimePickerDialogTest#testSaveInstanceState)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.TimePickerDialogTest#testSaveInstanceState, {})
-03-26 16:19:21 I/ConsoleReporter: [316/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.TimePickerDialogTest#testSaveInstanceState pass
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.TimePickerDialogTest#testUpdateTime)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.TimePickerDialogTest#testUpdateTime, {})
-03-26 16:19:21 I/ConsoleReporter: [317/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.TimePickerDialogTest#testUpdateTime pass
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.UiModeManagerTest#testNightMode)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.UiModeManagerTest#testNightMode, {})
-03-26 16:19:21 I/ConsoleReporter: [318/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.UiModeManagerTest#testNightMode pass
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.UiModeManagerTest#testUiMode)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.UiModeManagerTest#testUiMode, {})
-03-26 16:19:21 I/ConsoleReporter: [319/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.UiModeManagerTest#testUiMode pass
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.WallpaperInfoTest#test)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.WallpaperInfoTest#test, {})
-03-26 16:19:21 I/ConsoleReporter: [320/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.WallpaperInfoTest#test pass
-03-26 16:19:21 D/ModuleListener: ModuleListener.testStarted(android.app.cts.WallpaperManagerTest#testSuggestDesiredDimensions)
-03-26 16:19:21 D/ModuleListener: ModuleListener.testEnded(android.app.cts.WallpaperManagerTest#testSuggestDesiredDimensions, {})
-03-26 16:19:21 I/ConsoleReporter: [321/321 x86 CtsAppTestCases chromeos2-row8-rack4-host19:22] android.app.cts.WallpaperManagerTest#testSuggestDesiredDimensions pass
-03-26 16:19:22 D/ModuleListener: ModuleListener.testRunEnded(312026, {other_shared_dirty=4396, java_size=6706, native_shared_dirty=1504, native_private_dirty=17740, java_shared_dirty=1904, gc_invocation_count=0, native_free=6601, execution_time=672792, java_free=2681, pre_sent_transactions=-1, other_private_dirty=8992, global_freed_size=1432, java_private_dirty=5192, native_allocated=17462, global_freed_count=47, global_alloc_size=200, cpu_time=32844, native_pss=17785, sent_transactions=-1, other_pss=32927, java_pss=5238, global_alloc_count=8, received_transactions=-1, java_allocated=4025, pre_received_transactions=-1, native_size=24064})
-03-26 16:19:22 I/ConsoleReporter: [chromeos2-row8-rack4-host19:22] x86 CtsAppTestCases completed in 5m 12s. 316 passed, 5 failed, 0 not executed
-03-26 16:19:22 D/ModuleDef: Cleaner: ApkInstaller
-03-26 16:19:22 D/TestDevice: Uninstalling com.android.cts.launcherapps.simpleapp
-03-26 16:19:24 D/TestDevice: Uninstalling android.app.stubs
-03-26 16:19:26 D/TestDevice: Uninstalling android.app.cts
-03-26 16:19:27 W/CompatibilityTest: Inaccurate runtime hint for x86 CtsAppTestCases, expected 6m 38s was 5m 29s
-03-26 16:19:27 I/CompatibilityTest: Running system status checker after module execution: CtsAppTestCases
-03-26 16:19:28 I/MonitoringUtils: Connectivity: passed check.
-03-26 16:19:28 D/RunUtil: run interrupt allowed: false
-03-26 16:19:28 I/ResultReporter: Invocation finished in 6m 4s. PASSED: 316, FAILED: 5, NOT EXECUTED: 0, MODULES: 1 of 1
-03-26 16:19:29 I/ResultReporter: Test Result: /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/results/2017.03.26_16.13.24/test_result_failures.html
-03-26 16:19:29 I/ResultReporter: Full Result: /tmp/autotest-tradefed-install_e5FdR6/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/results/2017.03.26_16.13.24.zip
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/CtsAppTestCases_P_simplified.txt b/server/cros/tradefed/tradefed_utils_unittest_data/CtsAppTestCases_P_simplified.txt
deleted file mode 100644
index 9db92ae..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/CtsAppTestCases_P_simplified.txt
+++ /dev/null
@@ -1,9 +0,0 @@
-05-22 07:40:05 I/ModuleListener: [172/464] android.app.cts.DisplayTest#testRotation fail:
-05-22 07:40:06 I/ModuleListener: [185/464] android.app.cts.SystemFeaturesTest#testTouchScreenFeatures pass
-05-22 07:40:06 I/ModuleListener: [186/464] android.app.cts.SystemFeaturesTest#testUsbAccessory fail:
-05-22 07:46:32 I/ConsoleReporter: [chromeos6-row1-rack24-host11:22] Starting armeabi-v7a CtsAppTestCases with 464 tests
-05-22 07:46:32 I/ConsoleReporter: [172/464 armeabi-v7a CtsAppTestCases chromeos6-row1-rack24-host11:22] android.app.cts.DisplayTest#testRotation fail: junit.framework.AssertionFailedError: height from original display instance should have changed
-05-22 07:46:32 I/ConsoleReporter: [185/464 armeabi-v7a CtsAppTestCases chromeos6-row1-rack24-host11:22] android.app.cts.SystemFeaturesTest#testTouchScreenFeatures pass
-05-22 07:46:32 I/ConsoleReporter: [186/464 armeabi-v7a CtsAppTestCases chromeos6-row1-rack24-host11:22] android.app.cts.SystemFeaturesTest#testUsbAccessory fail: junit.framework.AssertionFailedError: PackageManager#hasSystemFeature should return true for android.hardware.usb.accessory
-05-22 07:46:32 I/ConsoleReporter: [chromeos6-row1-rack24-host11:22] armeabi-v7a CtsAppTestCases completed in 9m 30s. 456 passed, 8 failed, 0 not executed
-05-22 07:46:34 I/ResultReporter: Invocation finished in 9m 51s. PASSED: 456, FAILED: 8, MODULES: 0 of 1
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/CtsDeqpTestCases-trimmed-inaccurate.txt b/server/cros/tradefed/tradefed_utils_unittest_data/CtsDeqpTestCases-trimmed-inaccurate.txt
deleted file mode 100644
index a51ad7f..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/CtsDeqpTestCases-trimmed-inaccurate.txt
+++ /dev/null
@@ -1,24 +0,0 @@
-05-08 00:08:05 I/SuiteResultReporter:
-============================================
-================= Results ==================
-=============== Consumed Time ==============
-    armeabi-v7a CtsDeqpTestCases: 8h 8m 12s
-Total aggregated tests run time: 8h 8m 12s
-============== TOP 1 Slow Modules ==============
-    armeabi-v7a CtsDeqpTestCases: 11.54 tests/sec [337985 tests / 29292091 msec]
-============== Modules Preparation Times ==============
-    armeabi-v7a CtsDeqpTestCases => prep = 0 ms || clean = 0 ms
-Total preparation time: 0 ms  ||  Total tear down time: 0 ms
-=======================================================
-=============== Summary ===============
-Total Run time: 8h 41m 32s
-0/1 modules completed
-Module(s) with run failure(s):
-    armeabi-v7a CtsDeqpTestCases: Module armeabi-v7a CtsDeqpTestCases only ran 0 out of 1000 expected tests.
-Total Tests       : 338119
-PASSED            : 337980
-FAILED            : 5
-IMPORTANT: Some modules failed to run to completion, tests counts may be inaccurate.
-Shard 0 used: [chromeos6-row4-rack16-host9:22]
-Shard 1 used: [chromeos6-row4-rack16-host17:22]
-============== End of Results ==============
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/CtsDeqpTestCases-trimmed.txt b/server/cros/tradefed/tradefed_utils_unittest_data/CtsDeqpTestCases-trimmed.txt
deleted file mode 100644
index 5c573c4..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/CtsDeqpTestCases-trimmed.txt
+++ /dev/null
@@ -1,55 +0,0 @@
-07-24 22:32:21 I/CompatibilityTest: Starting 17 modules on chromeos4-row6-rack11-host11:22
-07-24 22:32:22 I/ConsoleReporter: [chromeos4-row6-rack11-host11:22] Starting armeabi-v7a CtsDeqpTestCases with 35452 tests
-07-24 22:32:39 I/ConsoleReporter: [1/35452 armeabi-v7a CtsDeqpTestCases chromeos4-row6-rack11-host11:22] dEQP-GLES31.info#vendor pass
-07-25 01:18:20 I/ConsoleReporter: [35452/35452 armeabi-v7a CtsDeqpTestCases chromeos4-row6-rack11-host11:22] dEQP-GLES31.functional.default_vertex_array_object#vertex_attrib_divisor pass
-07-25 01:18:26 I/ConsoleReporter: [chromeos4-row6-rack11-host11:22] armeabi-v7a CtsDeqpTestCases completed in 2h 46m 4s. 35452 passed, 0 failed, 0 not executed
-07-25 01:18:29 I/ConsoleReporter: [chromeos4-row6-rack11-host11:22] Continuing armeabi-v7a CtsDeqpTestCases with 81464 tests
-07-25 01:18:30 I/ConsoleReporter: [1/81464 armeabi-v7a CtsDeqpTestCases chromeos4-row6-rack11-host11:22] dEQP-VK.info#build pass
-07-25 01:19:06 I/ConsoleReporter: [81464/81464 armeabi-v7a CtsDeqpTestCases chromeos4-row6-rack11-host11:22] dEQP-VK.sparse_resources.buffer_sparse_memory_aliasing#buffer_size_2_24 pass
-07-25 01:19:06 I/ConsoleReporter: [chromeos4-row6-rack11-host11:22] armeabi-v7a CtsDeqpTestCases completed in 37s. 81464 passed, 0 failed, 0 not executed
-07-25 01:19:08 I/ConsoleReporter: [chromeos4-row6-rack11-host11:22] Continuing armeabi-v7a CtsDeqpTestCases with 40955 tests
-07-25 01:19:24 I/ConsoleReporter: [1/40955 armeabi-v7a CtsDeqpTestCases chromeos4-row6-rack11-host11:22] dEQP-GLES3.info#vendor pass
-07-25 01:23:12 I/ConsoleReporter: [5110/40955 armeabi-v7a CtsDeqpTestCases chromeos4-row6-rack11-host11:22] dEQP-GLES3.functional.shaders.indexing.matrix_subscript#mat3x4_dynamic_loop_write_static_loop_read_fragment pass
-07-25 01:23:39 D/BackgroundDeviceAction: Sleep for 5000 before starting logcat for chromeos4-row6-rack11-host11:22.
-07-25 01:23:39 W/DeqpTestRunner: ADB link failed, retrying after a cooldown period
-07-25 01:23:44 D/BackgroundDeviceAction: Waiting for device chromeos4-row6-rack11-host11:22 online before starting.
-07-25 01:23:45 W/AndroidNativeDevice: AdbCommandRejectedException (device 'chromeos4-row6-rack11-host11:22' not found) when attempting shell ps | grep com.drawelements on device chromeos4-row6-rack11-host11:22
-07-25 01:23:45 I/AndroidNativeDevice: Attempting recovery on chromeos4-row6-rack11-host11:22
-07-25 01:23:45 I/WaitDeviceRecovery: Pausing for 5000 for chromeos4-row6-rack11-host11:22 to recover
-07-25 01:23:50 I/AndroidNativeDeviceStateMonitor: Waiting for device chromeos4-row6-rack11-host11:22 to be ONLINE; it is currently NOT_AVAILABLE...
-07-25 01:24:50 W/DeqpTestRunner: ADB link failed, trying to recover
-07-25 01:24:50 I/AndroidNativeDevice: Attempting recovery on chromeos4-row6-rack11-host11:22
-07-25 01:24:50 I/WaitDeviceRecovery: Pausing for 5000 for chromeos4-row6-rack11-host11:22 to recover
-07-25 01:24:55 I/AndroidNativeDeviceStateMonitor: Waiting for device chromeos4-row6-rack11-host11:22 to be ONLINE; it is currently NOT_AVAILABLE...
-07-25 01:25:55 W/DeqpTestRunner: ADB link failed after recovery, rebooting device
-07-25 01:25:55 I/AndroidNativeDevice: Device reboot disabled by options, skipped.
-07-25 01:25:55 I/AndroidNativeDeviceStateMonitor: Waiting for device chromeos4-row6-rack11-host11:22 to be ONLINE; it is currently NOT_AVAILABLE...
-07-25 01:26:55 I/AndroidNativeDevice: Attempting recovery on chromeos4-row6-rack11-host11:22
-07-25 01:26:55 I/WaitDeviceRecovery: Pausing for 5000 for chromeos4-row6-rack11-host11:22 to recover
-07-25 01:27:00 I/AndroidNativeDeviceStateMonitor: Waiting for device chromeos4-row6-rack11-host11:22 to be ONLINE; it is currently NOT_AVAILABLE...
-07-25 01:28:00 W/DeqpTestRunner: Cannot recover ADB connection
-07-25 01:28:00 W/TestInvocation: Invocation did not complete due to device chromeos4-row6-rack11-host11:22 becoming not available. Reason: link killed after reboot
-07-25 01:28:00 W/ResultReporter: Invocation failed: com.android.tradefed.device.DeviceNotAvailableException: link killed after reboot
-07-25 01:28:00 D/RunUtil: run interrupt allowed: false
-07-25 01:28:00 W/AndroidNativeDevice: AdbCommandRejectedException (device 'chromeos4-row6-rack11-host11:22' not found) when attempting shell ls "/sdcard/report-log-files/" on device chromeos4-row6-rack11-host11:22
-07-25 01:28:00 I/AndroidNativeDevice: Skipping recovery on chromeos4-row6-rack11-host11:22
-07-25 01:28:01 W/AndroidNativeDevice: AdbCommandRejectedException (device 'chromeos4-row6-rack11-host11:22' not found) when attempting shell ls "/sdcard/report-log-files/" on device chromeos4-row6-rack11-host11:22
-07-25 01:28:01 I/AndroidNativeDevice: Skipping recovery on chromeos4-row6-rack11-host11:22
-07-25 01:28:02 W/AndroidNativeDevice: AdbCommandRejectedException (device 'chromeos4-row6-rack11-host11:22' not found) when attempting shell ls "/sdcard/report-log-files/" on device chromeos4-row6-rack11-host11:22
-07-25 01:28:02 I/AndroidNativeDevice: Skipping recovery on chromeos4-row6-rack11-host11:22
-07-25 01:28:03 E/CollectorUtil: Caught exception during pull.
-07-25 01:28:03 E/CollectorUtil: Attempted shell ls "/sdcard/report-log-files/" multiple times on device chromeos4-row6-rack11-host11:22 without communication success. Aborting.
-com.android.tradefed.device.DeviceUnresponsiveException: Attempted shell ls "/sdcard/report-log-files/" multiple times on device chromeos4-row6-rack11-host11:22 without communication success. Aborting.
-	at com.android.tradefed.device.AndroidNativeDevice.performDeviceAction(AndroidNativeDevice.java:1550)
-	at com.android.tradefed.device.AndroidNativeDevice.executeShellCommand(AndroidNativeDevice.java:525)
-	at com.android.tradefed.device.AndroidNativeDevice.executeShellCommand(AndroidNativeDevice.java:565)
-	at com.android.tradefed.device.AndroidNativeDevice.doesFileExist(AndroidNativeDevice.java:893)
-	at com.android.compatibility.common.tradefed.util.CollectorUtil.pullFromDevice(CollectorUtil.java:55)
-	at com.android.compatibility.common.tradefed.targetprep.ReportLogCollector.tearDown(ReportLogCollector.java:98)
-	at com.android.tradefed.invoker.TestInvocation.doTeardown(TestInvocation.java:524)
-	at com.android.tradefed.invoker.TestInvocation.performInvocation(TestInvocation.java:451)
-	at com.android.tradefed.invoker.TestInvocation.invoke(TestInvocation.java:166)
-	at com.android.tradefed.command.CommandScheduler$InvocationThread.run(CommandScheduler.java:471)
-07-25 01:28:05 I/ResultReporter: Invocation finished in 2h 56m 16s. PASSED: 122026, FAILED: 0, MODULES: 0 of 1
-07-25 01:28:12 I/ResultReporter: Test Result: /tmp/autotest-tradefed-install_Rsi2uv/1f769fe60c0939f5b847d40315f259df/android-cts-7.1_r7-linux_x86-arm/android-cts/results/2017.07.24_22.31.49/test_result_failures.html
-07-25 01:28:12 I/ResultReporter: Full Result: /tmp/autotest-tradefed-install_Rsi2uv/1f769fe60c0939f5b847d40315f259df/android-cts-7.1_r7-linux_x86-arm/android-cts/results/2017.07.24_22.31.49.zip
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/CtsHostsideNetworkTests.txt b/server/cros/tradefed/tradefed_utils_unittest_data/CtsHostsideNetworkTests.txt
deleted file mode 100644
index 7e9c735..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/CtsHostsideNetworkTests.txt
+++ /dev/null
@@ -1,901 +0,0 @@
-03-22 23:13:45 I/ModuleRepo: chromeos2-row4-rack5-host4:22 running 1 modules, expected to complete in 3m 56s
-03-22 23:13:45 I/CompatibilityTest: Starting 1 module on chromeos2-row4-rack5-host4:22
-03-22 23:13:45 D/ConfigurationFactory: Loading configuration 'system-status-checkers'
-03-22 23:13:45 I/CompatibilityTest: Running system status checker before module execution: CtsHostsideNetworkTests
-03-22 23:13:45 D/ModuleDef: Preparer: StubTargetPreparer
-03-22 23:13:45 D/TargetPreparer: skipping target prepare step
-03-22 23:13:45 D/ModuleDef: Test: JarHostTest
-03-22 23:13:45 D/ModuleListener: ModuleListener.testRunStarted(com.android.cts.net.HostsideVpnTests, 3)
-03-22 23:13:45 I/ConsoleReporter: [chromeos2-row4-rack5-host4:22] Starting x86 CtsHostsideNetworkTests with 3 tests
-03-22 23:13:45 D/DeviceTestCase: Running com.android.cts.net.HostsideVpnTests#testAppDisallowed()
-03-22 23:13:45 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideVpnTests#testAppDisallowed)
-03-22 23:13:45 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:13:46 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:13:46 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:13:46 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:13:46 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:13:48 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:13:49 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:13:49 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:13:49 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:13:49 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:13:50 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.VpnTest#testAppDisallowed com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:14:03 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:14:04 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:14:05 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideVpnTests#testAppDisallowed, {})
-03-22 23:14:05 I/ConsoleReporter: [1/3 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideVpnTests#testAppDisallowed pass
-03-22 23:14:05 D/DeviceTestCase: Running com.android.cts.net.HostsideVpnTests#testAppAllowed()
-03-22 23:14:05 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideVpnTests#testAppAllowed)
-03-22 23:14:05 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:14:05 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:14:05 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:14:05 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:05 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:08 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:14:08 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:14:08 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:14:08 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:08 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:10 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.VpnTest#testAppAllowed com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:14:22 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:14:23 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:14:24 D/ModuleListener: ModuleListener.testFailed(com.android.cts.net.HostsideVpnTests#testAppAllowed, java.lang.AssertionError: on-device tests failed:
-com.android.cts.net.hostside.VpnTest#testAppAllowed:
-junit.framework.AssertionFailedError: Socket opened before VPN connects should be closed when VPN connects

-at junit.framework.Assert.fail(Assert.java:50)

-at com.android.cts.net.hostside.VpnTest.assertSocketClosed(VpnTest.java:518)

-at com.android.cts.net.hostside.VpnTest.testAppAllowed(VpnTest.java:550)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at junit.framework.TestSuite.runTest(TestSuite.java:243)

-at junit.framework.TestSuite.run(TestSuite.java:238)

-at android.support.test.internal.runner.junit3.DelegatingTestSuite.run(DelegatingTestSuite.java:103)

-at android.support.test.internal.runner.junit3.AndroidTestSuite.run(AndroidTestSuite.java:68)

-at android.support.test.internal.runner.junit3.JUnit38ClassRunner.run(JUnit38ClassRunner.java:103)

-at org.junit.runners.Suite.runChild(Suite.java:128)

-at org.junit.runners.Suite.runChild(Suite.java:27)

-at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-at android.support.test.internal.runner.TestExecutor.execute(TestExecutor.java:59)

-at android.support.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:272)

-at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:1925)

-
-	at com.android.cts.net.HostsideNetworkTestCase.runDeviceTests(HostsideNetworkTestCase.java:160)
-	at com.android.cts.net.HostsideVpnTests.testAppAllowed(HostsideVpnTests.java:41)
-	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
-	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)
-	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
-	at java.lang.reflect.Method.invoke(Method.java:497)
-	at junit.framework.TestCase.runTest(TestCase.java:168)
-	at junit.framework.TestCase.runBare(TestCase.java:134)
-	at com.android.tradefed.testtype.DeviceTestResult$1.protect(DeviceTestResult.java:81)
-	at com.android.tradefed.testtype.DeviceTestResult.runProtected(DeviceTestResult.java:56)
-	at com.android.tradefed.testtype.DeviceTestResult.run(DeviceTestResult.java:85)
-	at junit.framework.TestCase.run(TestCase.java:124)
-	at com.android.tradefed.testtype.DeviceTestCase.run(DeviceTestCase.java:180)
-	at com.android.tradefed.testtype.JUnitRunUtil.runTest(JUnitRunUtil.java:55)
-	at com.android.tradefed.testtype.JUnitRunUtil.runTest(JUnitRunUtil.java:38)
-	at com.android.tradefed.testtype.DeviceTestCase.run(DeviceTestCase.java:144)
-	at com.android.tradefed.testtype.HostTest.run(HostTest.java:253)
-	at com.android.compatibility.common.tradefed.testtype.ModuleDef.run(ModuleDef.java:247)
-	at com.android.compatibility.common.tradefed.testtype.CompatibilityTest.run(CompatibilityTest.java:439)
-	at com.android.tradefed.invoker.TestInvocation.runTests(TestInvocation.java:716)
-	at com.android.tradefed.invoker.TestInvocation.prepareAndRun(TestInvocation.java:491)
-	at com.android.tradefed.invoker.TestInvocation.performInvocation(TestInvocation.java:386)
-	at com.android.tradefed.invoker.TestInvocation.invoke(TestInvocation.java:166)
-	at com.android.tradefed.command.CommandScheduler$InvocationThread.run(CommandScheduler.java:471)
-)
-03-22 23:14:24 I/ConsoleReporter: [2/3 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideVpnTests#testAppAllowed fail: java.lang.AssertionError: on-device tests failed:
-com.android.cts.net.hostside.VpnTest#testAppAllowed:
-junit.framework.AssertionFailedError: Socket opened before VPN connects should be closed when VPN connects

-at junit.framework.Assert.fail(Assert.java:50)

-at com.android.cts.net.hostside.VpnTest.assertSocketClosed(VpnTest.java:518)

-at com.android.cts.net.hostside.VpnTest.testAppAllowed(VpnTest.java:550)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at junit.framework.TestSuite.runTest(TestSuite.java:243)

-at junit.framework.TestSuite.run(TestSuite.java:238)

-at android.support.test.internal.runner.junit3.DelegatingTestSuite.run(DelegatingTestSuite.java:103)

-at android.support.test.internal.runner.junit3.AndroidTestSuite.run(AndroidTestSuite.java:68)

-at android.support.test.internal.runner.junit3.JUnit38ClassRunner.run(JUnit38ClassRunner.java:103)

-at org.junit.runners.Suite.runChild(Suite.java:128)

-at org.junit.runners.Suite.runChild(Suite.java:27)

-at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-at android.support.test.internal.runner.TestExecutor.execute(TestExecutor.java:59)

-at android.support.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:272)

-at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:1925)

-
-	at com.android.cts.net.HostsideNetworkTestCase.runDeviceTests(HostsideNetworkTestCase.java:160)
-	at com.android.cts.net.HostsideVpnTests.testAppAllowed(HostsideVpnTests.java:41)
-	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
-	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)
-	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
-	at java.lang.reflect.Method.invoke(Method.java:497)
-	at junit.framework.TestCase.runTest(TestCase.java:168)
-	at junit.framework.TestCase.runBare(TestCase.java:134)
-	at com.android.tradefed.testtype.DeviceTestResult$1.protect(DeviceTestResult.java:81)
-	at com.android.tradefed.testtype.DeviceTestResult.runProtected(DeviceTestResult.java:56)
-	at com.android.tradefed.testtype.DeviceTestResult.run(DeviceTestResult.java:85)
-	at junit.framework.TestCase.run(TestCase.java:124)
-	at com.android.tradefed.testtype.DeviceTestCase.run(DeviceTestCase.java:180)
-	at com.android.tradefed.testtype.JUnitRunUtil.runTest(JUnitRunUtil.java:55)
-	at com.android.tradefed.testtype.JUnitRunUtil.runTest(JUnitRunUtil.java:38)
-	at com.android.tradefed.testtype.DeviceTestCase.run(DeviceTestCase.java:144)
-	at com.android.tradefed.testtype.HostTest.run(HostTest.java:253)
-	at com.android.compatibility.common.tradefed.testtype.ModuleDef.run(ModuleDef.java:247)
-	at com.android.compatibility.common.tradefed.testtype.CompatibilityTest.run(CompatibilityTest.java:439)
-	at com.android.tradefed.invoker.TestInvocation.runTests(TestInvocation.java:716)
-	at com.android.tradefed.invoker.TestInvocation.prepareAndRun(TestInvocation.java:491)
-	at com.android.tradefed.invoker.TestInvocation.performInvocation(TestInvocation.java:386)
-	at com.android.tradefed.invoker.TestInvocation.invoke(TestInvocation.java:166)
-	at com.android.tradefed.command.CommandScheduler$InvocationThread.run(CommandScheduler.java:471)
-
-03-22 23:14:24 I/FailureListener: FailureListener.testFailed com.android.cts.net.HostsideVpnTests#testAppAllowed false true false
-03-22 23:14:26 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_23.13.15 with prefix "com.android.cts.net.HostsideVpnTests#testAppAllowed-logcat_" suffix ".zip"
-03-22 23:14:26 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_23.13.15/com.android.cts.net.HostsideVpnTests#testAppAllowed-logcat_8737293875465184240.zip
-03-22 23:14:26 I/ResultReporter: Saved logs for com.android.cts.net.HostsideVpnTests#testAppAllowed-logcat in /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_23.13.15/com.android.cts.net.HostsideVpnTests#testAppAllowed-logcat_8737293875465184240.zip
-03-22 23:14:26 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_7547767408652132625 with prefix "com.android.cts.net.HostsideVpnTests#testAppAllowed-logcat_" suffix ".zip"
-03-22 23:14:26 D/RunUtil: Running command with timeout: 10000ms
-03-22 23:14:26 D/RunUtil: Running [chmod]
-03-22 23:14:26 D/RunUtil: [chmod] command failed. return code 1
-03-22 23:14:26 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_7547767408652132625/com.android.cts.net.HostsideVpnTests#testAppAllowed-logcat_3580095767801184163.zip to ug+rwx
-03-22 23:14:26 D/RunUtil: Running command with timeout: 10000ms
-03-22 23:14:26 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_7547767408652132625/com.android.cts.net.HostsideVpnTests#testAppAllowed-logcat_3580095767801184163.zip]
-03-22 23:14:26 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_7547767408652132625/com.android.cts.net.HostsideVpnTests#testAppAllowed-logcat_3580095767801184163.zip
-03-22 23:14:26 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideVpnTests#testAppAllowed, {})
-03-22 23:14:26 D/DeviceTestCase: Running com.android.cts.net.HostsideVpnTests#testDefault()
-03-22 23:14:26 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideVpnTests#testDefault)
-03-22 23:14:26 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:14:27 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:14:27 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:14:27 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:27 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:30 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:14:30 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:14:30 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:14:30 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:30 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:32 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.VpnTest#testDefault com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:14:47 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:14:48 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:14:49 D/ModuleListener: ModuleListener.testFailed(com.android.cts.net.HostsideVpnTests#testDefault, java.lang.AssertionError: on-device tests failed:
-com.android.cts.net.hostside.VpnTest#testDefault:
-junit.framework.AssertionFailedError: expected:<103> but was:<104>

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.failNotEquals(Assert.java:287)

-at junit.framework.Assert.assertEquals(Assert.java:67)

-at junit.framework.Assert.assertEquals(Assert.java:199)

-at junit.framework.Assert.assertEquals(Assert.java:205)

-at com.android.cts.net.hostside.VpnTest.assertSocketClosed(VpnTest.java:520)

-at com.android.cts.net.hostside.VpnTest.testDefault(VpnTest.java:535)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at junit.framework.TestSuite.runTest(TestSuite.java:243)

-at junit.framework.TestSuite.run(TestSuite.java:238)

-at android.support.test.internal.runner.junit3.DelegatingTestSuite.run(DelegatingTestSuite.java:103)

-at android.support.test.internal.runner.junit3.AndroidTestSuite.run(AndroidTestSuite.java:68)

-at android.support.test.internal.runner.junit3.JUnit38ClassRunner.run(JUnit38ClassRunner.java:103)

-at org.junit.runners.Suite.runChild(Suite.java:128)

-at org.junit.runners.Suite.runChild(Suite.java:27)

-at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-at android.support.test.internal.runner.TestExecutor.execute(TestExecutor.java:59)

-at android.support.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:272)

-at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:1925)

-
-	at com.android.cts.net.HostsideNetworkTestCase.runDeviceTests(HostsideNetworkTestCase.java:160)
-	at com.android.cts.net.HostsideVpnTests.testDefault(HostsideVpnTests.java:37)
-	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
-	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)
-	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
-	at java.lang.reflect.Method.invoke(Method.java:497)
-	at junit.framework.TestCase.runTest(TestCase.java:168)
-	at junit.framework.TestCase.runBare(TestCase.java:134)
-	at com.android.tradefed.testtype.DeviceTestResult$1.protect(DeviceTestResult.java:81)
-	at com.android.tradefed.testtype.DeviceTestResult.runProtected(DeviceTestResult.java:56)
-	at com.android.tradefed.testtype.DeviceTestResult.run(DeviceTestResult.java:85)
-	at junit.framework.TestCase.run(TestCase.java:124)
-	at com.android.tradefed.testtype.DeviceTestCase.run(DeviceTestCase.java:180)
-	at com.android.tradefed.testtype.JUnitRunUtil.runTest(JUnitRunUtil.java:55)
-	at com.android.tradefed.testtype.JUnitRunUtil.runTest(JUnitRunUtil.java:38)
-	at com.android.tradefed.testtype.DeviceTestCase.run(DeviceTestCase.java:144)
-	at com.android.tradefed.testtype.HostTest.run(HostTest.java:253)
-	at com.android.compatibility.common.tradefed.testtype.ModuleDef.run(ModuleDef.java:247)
-	at com.android.compatibility.common.tradefed.testtype.CompatibilityTest.run(CompatibilityTest.java:439)
-	at com.android.tradefed.invoker.TestInvocation.runTests(TestInvocation.java:716)
-	at com.android.tradefed.invoker.TestInvocation.prepareAndRun(TestInvocation.java:491)
-	at com.android.tradefed.invoker.TestInvocation.performInvocation(TestInvocation.java:386)
-	at com.android.tradefed.invoker.TestInvocation.invoke(TestInvocation.java:166)
-	at com.android.tradefed.command.CommandScheduler$InvocationThread.run(CommandScheduler.java:471)
-)
-03-22 23:14:49 I/ConsoleReporter: [3/3 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideVpnTests#testDefault fail: java.lang.AssertionError: on-device tests failed:
-com.android.cts.net.hostside.VpnTest#testDefault:
-junit.framework.AssertionFailedError: expected:<103> but was:<104>

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.failNotEquals(Assert.java:287)

-at junit.framework.Assert.assertEquals(Assert.java:67)

-at junit.framework.Assert.assertEquals(Assert.java:199)

-at junit.framework.Assert.assertEquals(Assert.java:205)

-at com.android.cts.net.hostside.VpnTest.assertSocketClosed(VpnTest.java:520)

-at com.android.cts.net.hostside.VpnTest.testDefault(VpnTest.java:535)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at junit.framework.TestSuite.runTest(TestSuite.java:243)

-at junit.framework.TestSuite.run(TestSuite.java:238)

-at android.support.test.internal.runner.junit3.DelegatingTestSuite.run(DelegatingTestSuite.java:103)

-at android.support.test.internal.runner.junit3.AndroidTestSuite.run(AndroidTestSuite.java:68)

-at android.support.test.internal.runner.junit3.JUnit38ClassRunner.run(JUnit38ClassRunner.java:103)

-at org.junit.runners.Suite.runChild(Suite.java:128)

-at org.junit.runners.Suite.runChild(Suite.java:27)

-at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-at android.support.test.internal.runner.TestExecutor.execute(TestExecutor.java:59)

-at android.support.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:272)

-at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:1925)

-
-	at com.android.cts.net.HostsideNetworkTestCase.runDeviceTests(HostsideNetworkTestCase.java:160)
-	at com.android.cts.net.HostsideVpnTests.testDefault(HostsideVpnTests.java:37)
-	at sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)
-	at sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)
-	at sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)
-	at java.lang.reflect.Method.invoke(Method.java:497)
-	at junit.framework.TestCase.runTest(TestCase.java:168)
-	at junit.framework.TestCase.runBare(TestCase.java:134)
-	at com.android.tradefed.testtype.DeviceTestResult$1.protect(DeviceTestResult.java:81)
-	at com.android.tradefed.testtype.DeviceTestResult.runProtected(DeviceTestResult.java:56)
-	at com.android.tradefed.testtype.DeviceTestResult.run(DeviceTestResult.java:85)
-	at junit.framework.TestCase.run(TestCase.java:124)
-	at com.android.tradefed.testtype.DeviceTestCase.run(DeviceTestCase.java:180)
-	at com.android.tradefed.testtype.JUnitRunUtil.runTest(JUnitRunUtil.java:55)
-	at com.android.tradefed.testtype.JUnitRunUtil.runTest(JUnitRunUtil.java:38)
-	at com.android.tradefed.testtype.DeviceTestCase.run(DeviceTestCase.java:144)
-	at com.android.tradefed.testtype.HostTest.run(HostTest.java:253)
-	at com.android.compatibility.common.tradefed.testtype.ModuleDef.run(ModuleDef.java:247)
-	at com.android.compatibility.common.tradefed.testtype.CompatibilityTest.run(CompatibilityTest.java:439)
-	at com.android.tradefed.invoker.TestInvocation.runTests(TestInvocation.java:716)
-	at com.android.tradefed.invoker.TestInvocation.prepareAndRun(TestInvocation.java:491)
-	at com.android.tradefed.invoker.TestInvocation.performInvocation(TestInvocation.java:386)
-	at com.android.tradefed.invoker.TestInvocation.invoke(TestInvocation.java:166)
-	at com.android.tradefed.command.CommandScheduler$InvocationThread.run(CommandScheduler.java:471)
-
-03-22 23:14:49 I/FailureListener: FailureListener.testFailed com.android.cts.net.HostsideVpnTests#testDefault false true false
-03-22 23:14:51 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_23.13.15 with prefix "com.android.cts.net.HostsideVpnTests#testDefault-logcat_" suffix ".zip"
-03-22 23:14:51 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_23.13.15/com.android.cts.net.HostsideVpnTests#testDefault-logcat_3916323955418166574.zip
-03-22 23:14:51 I/ResultReporter: Saved logs for com.android.cts.net.HostsideVpnTests#testDefault-logcat in /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_23.13.15/com.android.cts.net.HostsideVpnTests#testDefault-logcat_3916323955418166574.zip
-03-22 23:14:51 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_7547767408652132625 with prefix "com.android.cts.net.HostsideVpnTests#testDefault-logcat_" suffix ".zip"
-03-22 23:14:51 D/RunUtil: Running command with timeout: 10000ms
-03-22 23:14:51 D/RunUtil: Running [chmod]
-03-22 23:14:51 D/RunUtil: [chmod] command failed. return code 1
-03-22 23:14:51 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_7547767408652132625/com.android.cts.net.HostsideVpnTests#testDefault-logcat_6862208225587156162.zip to ug+rwx
-03-22 23:14:51 D/RunUtil: Running command with timeout: 10000ms
-03-22 23:14:51 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_7547767408652132625/com.android.cts.net.HostsideVpnTests#testDefault-logcat_6862208225587156162.zip]
-03-22 23:14:51 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_7547767408652132625/com.android.cts.net.HostsideVpnTests#testDefault-logcat_6862208225587156162.zip
-03-22 23:14:51 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideVpnTests#testDefault, {})
-03-22 23:14:51 D/ModuleListener: ModuleListener.testRunEnded(65800, {})
-03-22 23:14:51 I/ConsoleReporter: [chromeos2-row4-rack5-host4:22] x86 CtsHostsideNetworkTests completed in 1m 5s. 1 passed, 2 failed, 0 not executed
-03-22 23:14:51 D/ModuleListener: ModuleListener.testRunStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests, 32)
-03-22 23:14:51 I/ConsoleReporter: [chromeos2-row4-rack5-host4:22] Continuing x86 CtsHostsideNetworkTests with 32 tests
-03-22 23:14:51 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_disabled()
-03-22 23:14:51 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_disabled)
-03-22 23:14:51 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:14:51 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:14:51 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:14:51 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:51 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:54 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:14:55 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:14:55 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:14:55 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:55 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:14:56 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DataSaverModeTest#testGetRestrictBackgroundStatus_disabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:14:58 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:14:58 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:14:59 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_disabled, {})
-03-22 23:14:59 I/ConsoleReporter: [1/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_disabled pass
-03-22 23:14:59 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_whitelisted()
-03-22 23:14:59 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_whitelisted)
-03-22 23:14:59 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:00 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:00 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:15:00 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:00 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:02 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:03 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:03 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:15:03 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:03 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:04 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DataSaverModeTest#testGetRestrictBackgroundStatus_whitelisted com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:15:06 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:07 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:07 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_whitelisted, {})
-03-22 23:15:07 I/ConsoleReporter: [2/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_whitelisted pass
-03-22 23:15:07 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_enabled()
-03-22 23:15:07 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_enabled)
-03-22 23:15:07 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:08 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:08 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:15:08 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:08 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:10 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:11 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:11 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:15:11 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:11 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:13 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DataSaverModeTest#testGetRestrictBackgroundStatus_enabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:15:14 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:15 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:16 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_enabled, {})
-03-22 23:15:16 I/ConsoleReporter: [3/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_enabled pass
-03-22 23:15:16 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_blacklisted()
-03-22 23:15:16 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_blacklisted)
-03-22 23:15:16 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:17 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:17 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:15:17 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:17 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:19 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:20 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:20 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:15:20 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:20 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:21 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DataSaverModeTest#testGetRestrictBackgroundStatus_blacklisted com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:15:22 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:23 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:24 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_blacklisted, {})
-03-22 23:15:24 I/ConsoleReporter: [4/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_blacklisted pass
-03-22 23:15:24 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_reinstall()
-03-22 23:15:24 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_reinstall)
-03-22 23:15:24 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:25 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:25 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:15:25 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:25 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:27 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:28 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:28 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:15:28 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:28 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:29 D/HostsideNetworkTests: Command: 'dumpsys package com.android.cts.net.hostside.app2'
-03-22 23:15:30 D/HostsideNetworkTests: Command: 'cmd netpolicy add restrict-background-whitelist 10066'
-03-22 23:15:30 D/HostsideNetworkTests: Command: 'cmd netpolicy list restrict-background-whitelist '
-03-22 23:15:30 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:31 D/HostsideNetworkTests: Command: 'cmd package list packages com.android.cts.net.hostside.app2'
-03-22 23:15:31 D/HostsideNetworkTests: Command: 'cmd netpolicy list restrict-background-whitelist '
-03-22 23:15:31 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:31 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:15:31 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:31 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:32 D/HostsideNetworkTests: Command: 'dumpsys package com.android.cts.net.hostside.app2'
-03-22 23:15:32 D/HostsideNetworkTests: Command: 'cmd netpolicy list restrict-background-whitelist '
-03-22 23:15:33 D/HostsideNetworkTests: Command: 'cmd netpolicy list restrict-background-whitelist '
-03-22 23:15:33 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:33 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:34 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_reinstall, {})
-03-22 23:15:34 I/ConsoleReporter: [5/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_reinstall pass
-03-22 23:15:34 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_requiredWhitelistedPackages()
-03-22 23:15:34 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_requiredWhitelistedPackages)
-03-22 23:15:34 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:35 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:35 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:15:35 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:35 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:37 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:38 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:38 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:15:38 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:38 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:39 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DataSaverModeTest#testGetRestrictBackgroundStatus_requiredWhitelistedPackages com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:15:41 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:42 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:42 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_requiredWhitelistedPackages, {})
-03-22 23:15:42 I/ConsoleReporter: [6/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataSaverMode_requiredWhitelistedPackages pass
-03-22 23:15:42 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_disabled()
-03-22 23:15:42 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_disabled)
-03-22 23:15:42 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:43 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:43 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:15:43 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:43 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:45 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:46 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:46 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:15:46 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:46 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:48 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.BatterySaverModeMeteredTest#testBackgroundNetworkAccess_disabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:15:49 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:50 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:51 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_disabled, {})
-03-22 23:15:51 I/ConsoleReporter: [7/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_disabled pass
-03-22 23:15:51 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_whitelisted()
-03-22 23:15:51 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_whitelisted)
-03-22 23:15:51 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:52 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:52 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:15:52 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:52 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:54 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:15:55 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:15:55 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:15:55 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:55 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:15:56 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.BatterySaverModeMeteredTest#testBackgroundNetworkAccess_whitelisted com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:15:58 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:15:59 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:00 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_whitelisted, {})
-03-22 23:16:00 I/ConsoleReporter: [8/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_whitelisted pass
-03-22 23:16:00 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_enabled()
-03-22 23:16:00 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_enabled)
-03-22 23:16:00 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:00 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:00 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:16:00 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:00 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:03 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:04 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:04 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:16:04 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:04 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:05 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.BatterySaverModeMeteredTest#testBackgroundNetworkAccess_enabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:16:07 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:07 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:08 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_enabled, {})
-03-22 23:16:08 I/ConsoleReporter: [9/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeMetered_enabled pass
-03-22 23:16:08 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverMode_reinstall()
-03-22 23:16:08 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverMode_reinstall)
-03-22 23:16:08 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:09 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:09 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:16:09 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:09 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:11 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:12 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:12 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:16:12 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:12 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:13 D/HostsideNetworkTests: Command: 'cmd deviceidle enabled deep'
-03-22 23:16:13 W/HostsideNetworkTests: testBatterySaverMode_reinstall() skipped because device does not support Doze Mode
-03-22 23:16:13 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:14 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:15 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverMode_reinstall, {})
-03-22 23:16:15 I/ConsoleReporter: [10/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverMode_reinstall pass
-03-22 23:16:15 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_disabled()
-03-22 23:16:15 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_disabled)
-03-22 23:16:15 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:16 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:16 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:16:16 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:16 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:18 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:19 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:19 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:16:19 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:19 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:20 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.BatterySaverModeNonMeteredTest#testBackgroundNetworkAccess_disabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:16:22 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:23 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:24 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_disabled, {})
-03-22 23:16:24 I/ConsoleReporter: [11/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_disabled pass
-03-22 23:16:24 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_whitelisted()
-03-22 23:16:24 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_whitelisted)
-03-22 23:16:24 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:24 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:24 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:16:24 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:24 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:27 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:27 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:27 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:16:27 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:27 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:29 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.BatterySaverModeNonMeteredTest#testBackgroundNetworkAccess_whitelisted com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:16:30 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:31 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:32 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_whitelisted, {})
-03-22 23:16:32 I/ConsoleReporter: [12/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_whitelisted pass
-03-22 23:16:32 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_enabled()
-03-22 23:16:32 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_enabled)
-03-22 23:16:32 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:33 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:33 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:16:33 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:33 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:35 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:36 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:36 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:16:36 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:36 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:38 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.BatterySaverModeNonMeteredTest#testBackgroundNetworkAccess_enabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:16:39 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:40 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:41 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_enabled, {})
-03-22 23:16:41 I/ConsoleReporter: [13/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testBatterySaverModeNonMetered_enabled pass
-03-22 23:16:41 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_disabled()
-03-22 23:16:41 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_disabled)
-03-22 23:16:41 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:41 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:41 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:16:41 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:41 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:44 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:44 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:44 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:16:44 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:44 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:46 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.AppIdleMeteredTest#testBackgroundNetworkAccess_disabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:16:47 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:48 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:49 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_disabled, {})
-03-22 23:16:49 I/ConsoleReporter: [14/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_disabled pass
-03-22 23:16:49 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_whitelisted()
-03-22 23:16:49 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_whitelisted)
-03-22 23:16:49 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:49 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:49 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:16:49 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:49 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:52 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:52 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:52 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:16:52 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:52 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:54 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.AppIdleMeteredTest#testBackgroundNetworkAccess_whitelisted com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:16:55 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:56 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:16:57 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_whitelisted, {})
-03-22 23:16:57 I/ConsoleReporter: [15/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_whitelisted pass
-03-22 23:16:57 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_enabled()
-03-22 23:16:57 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_enabled)
-03-22 23:16:57 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:16:58 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:16:58 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:16:58 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:16:58 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:00 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:01 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:01 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:17:01 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:01 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:02 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.AppIdleMeteredTest#testBackgroundNetworkAccess_enabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:17:04 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:04 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:05 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_enabled, {})
-03-22 23:17:05 I/ConsoleReporter: [16/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_enabled pass
-03-22 23:17:05 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_disabled()
-03-22 23:17:05 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_disabled)
-03-22 23:17:05 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:06 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:06 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:17:06 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:06 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:08 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:09 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:09 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:17:09 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:09 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:10 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.AppIdleNonMeteredTest#testBackgroundNetworkAccess_disabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:17:11 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:12 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:13 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_disabled, {})
-03-22 23:17:13 I/ConsoleReporter: [17/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_disabled pass
-03-22 23:17:13 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_whitelisted()
-03-22 23:17:13 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_whitelisted)
-03-22 23:17:13 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:14 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:14 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:17:14 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:14 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:16 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:17 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:17 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:17:17 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:17 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:19 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.AppIdleNonMeteredTest#testBackgroundNetworkAccess_whitelisted com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:17:20 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:21 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:22 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_whitelisted, {})
-03-22 23:17:22 I/ConsoleReporter: [18/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_whitelisted pass
-03-22 23:17:22 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_enabled()
-03-22 23:17:22 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_enabled)
-03-22 23:17:22 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:22 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:22 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:17:22 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:22 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:25 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:26 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:26 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:17:26 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:26 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:27 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.AppIdleNonMeteredTest#testBackgroundNetworkAccess_enabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:17:28 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:29 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:30 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_enabled, {})
-03-22 23:17:30 I/ConsoleReporter: [19/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_enabled pass
-03-22 23:17:30 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_whenCharging()
-03-22 23:17:30 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_whenCharging)
-03-22 23:17:30 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:31 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:31 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:17:31 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:31 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:33 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:34 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:34 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:17:34 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:34 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:35 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.AppIdleNonMeteredTest#testAppIdleNetworkAccess_whenCharging com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:17:36 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:37 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:38 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_whenCharging, {})
-03-22 23:17:38 I/ConsoleReporter: [20/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleNonMetered_whenCharging pass
-03-22 23:17:38 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_whenCharging()
-03-22 23:17:38 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_whenCharging)
-03-22 23:17:38 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:39 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:39 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:17:39 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:39 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:41 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:42 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:42 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:17:42 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:42 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:43 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.AppIdleMeteredTest#testAppIdleNetworkAccess_whenCharging com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:17:45 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:46 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:47 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_whenCharging, {})
-03-22 23:17:47 I/ConsoleReporter: [21/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdleMetered_whenCharging pass
-03-22 23:17:47 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdle_toast()
-03-22 23:17:47 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdle_toast)
-03-22 23:17:47 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:47 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:47 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:17:47 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:47 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:50 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:50 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:50 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:17:50 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:50 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:52 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.AppIdleNonMeteredTest#testAppIdle_toast com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:17:53 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:54 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:55 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdle_toast, {})
-03-22 23:17:55 I/ConsoleReporter: [22/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testAppIdle_toast pass
-03-22 23:17:55 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_disabled()
-03-22 23:17:55 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_disabled)
-03-22 23:17:55 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:17:56 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:56 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:17:56 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:56 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:58 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:17:59 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:17:59 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:17:59 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:17:59 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:01 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DozeModeMeteredTest#testBackgroundNetworkAccess_disabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:18:02 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:03 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:04 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_disabled, {})
-03-22 23:18:04 I/ConsoleReporter: [23/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_disabled pass
-03-22 23:18:04 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_whitelisted()
-03-22 23:18:04 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_whitelisted)
-03-22 23:18:04 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:04 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:04 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:18:04 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:04 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:06 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:07 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:07 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:18:07 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:07 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:09 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DozeModeMeteredTest#testBackgroundNetworkAccess_whitelisted com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:18:10 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:11 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:12 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_whitelisted, {})
-03-22 23:18:12 I/ConsoleReporter: [24/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_whitelisted pass
-03-22 23:18:12 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_enabled()
-03-22 23:18:12 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_enabled)
-03-22 23:18:12 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:12 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:12 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:18:12 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:12 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:15 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:16 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:16 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:18:16 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:16 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:17 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DozeModeMeteredTest#testBackgroundNetworkAccess_enabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:18:19 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:19 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:20 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_enabled, {})
-03-22 23:18:20 I/ConsoleReporter: [25/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_enabled pass
-03-22 23:18:20 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_enabledButWhitelistedOnNotificationAction()
-03-22 23:18:20 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_enabledButWhitelistedOnNotificationAction)
-03-22 23:18:20 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:21 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:21 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:18:21 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:21 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:24 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:25 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:25 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:18:25 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:25 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:26 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DozeModeMeteredTest#testBackgroundNetworkAccess_enabledButWhitelistedOnNotificationAction com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:18:28 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:28 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:29 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_enabledButWhitelistedOnNotificationAction, {})
-03-22 23:18:29 I/ConsoleReporter: [26/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeMetered_enabledButWhitelistedOnNotificationAction pass
-03-22 23:18:29 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_disabled()
-03-22 23:18:29 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_disabled)
-03-22 23:18:29 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:30 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:30 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:18:30 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:30 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:32 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:33 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:33 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:18:33 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:33 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:34 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DozeModeNonMeteredTest#testBackgroundNetworkAccess_disabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:18:36 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:37 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:38 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_disabled, {})
-03-22 23:18:38 I/ConsoleReporter: [27/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_disabled pass
-03-22 23:18:38 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_whitelisted()
-03-22 23:18:38 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_whitelisted)
-03-22 23:18:38 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:38 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:38 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:18:38 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:38 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:41 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:41 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:41 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:18:41 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:41 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:43 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DozeModeNonMeteredTest#testBackgroundNetworkAccess_whitelisted com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:18:44 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:45 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:46 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_whitelisted, {})
-03-22 23:18:46 I/ConsoleReporter: [28/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_whitelisted pass
-03-22 23:18:46 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_enabled()
-03-22 23:18:46 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_enabled)
-03-22 23:18:46 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:47 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:47 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:18:47 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:47 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:49 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:50 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:50 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:18:50 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:50 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:51 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DozeModeNonMeteredTest#testBackgroundNetworkAccess_enabled com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:18:53 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:54 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:54 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_enabled, {})
-03-22 23:18:54 I/ConsoleReporter: [29/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_enabled pass
-03-22 23:18:54 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_enabledButWhitelistedOnNotificationAction()
-03-22 23:18:54 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_enabledButWhitelistedOnNotificationAction)
-03-22 23:18:54 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:18:55 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:55 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:18:55 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:55 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:57 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:18:58 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:18:58 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:18:58 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:18:58 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:19:00 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.DozeModeNonMeteredTest#testBackgroundNetworkAccess_enabledButWhitelistedOnNotificationAction com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:19:01 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:19:02 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:19:03 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_enabledButWhitelistedOnNotificationAction, {})
-03-22 23:19:03 I/ConsoleReporter: [30/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDozeModeNonMetered_enabledButWhitelistedOnNotificationAction pass
-03-22 23:19:03 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataAndBatterySaverModes_meteredNetwork()
-03-22 23:19:03 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataAndBatterySaverModes_meteredNetwork)
-03-22 23:19:03 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:19:04 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:19:04 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:19:04 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:19:04 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:19:06 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:19:07 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:19:07 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:19:07 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:19:07 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:19:08 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.MixedModesTest#testDataAndBatterySaverModes_meteredNetwork com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:19:13 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:19:14 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:19:15 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataAndBatterySaverModes_meteredNetwork, {})
-03-22 23:19:15 I/ConsoleReporter: [31/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataAndBatterySaverModes_meteredNetwork pass
-03-22 23:19:15 D/DeviceTestCase: Running com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataAndBatterySaverModes_nonMeteredNetwork()
-03-22 23:19:15 D/ModuleListener: ModuleListener.testStarted(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataAndBatterySaverModes_nonMeteredNetwork)
-03-22 23:19:15 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:19:15 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:19:15 I/MigrationHelper: File CtsHostsideNetworkTestsApp.apk found
-03-22 23:19:15 D/CtsHostsideNetworkTestsApp.apk: Uploading CtsHostsideNetworkTestsApp.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:19:15 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:19:18 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:19:18 I/MigrationHelper: Looking for test file CtsHostsideNetworkTestsApp2.apk in dir /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases
-03-22 23:19:18 I/MigrationHelper: File CtsHostsideNetworkTestsApp2.apk found
-03-22 23:19:18 D/CtsHostsideNetworkTestsApp2.apk: Uploading CtsHostsideNetworkTestsApp2.apk onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:19:18 D/Device: Uploading file onto device 'chromeos2-row4-rack5-host4:22'
-03-22 23:19:20 I/RemoteAndroidTest: Running am instrument -w -r   -e class com.android.cts.net.hostside.MixedModesTest#testDataAndBatterySaverModes_nonMeteredNetwork com.android.cts.net.hostside/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack5-host4:22
-03-22 23:19:25 D/TestDevice: Uninstalling com.android.cts.net.hostside
-03-22 23:19:26 D/TestDevice: Uninstalling com.android.cts.net.hostside.app2
-03-22 23:19:26 D/ModuleListener: ModuleListener.testEnded(com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataAndBatterySaverModes_nonMeteredNetwork, {})
-03-22 23:19:26 I/ConsoleReporter: [32/32 x86 CtsHostsideNetworkTests chromeos2-row4-rack5-host4:22] com.android.cts.net.HostsideRestrictBackgroundNetworkTests#testDataAndBatterySaverModes_nonMeteredNetwork pass
-03-22 23:19:26 D/ModuleListener: ModuleListener.testRunEnded(275561, {})
-03-22 23:19:26 I/ConsoleReporter: [chromeos2-row4-rack5-host4:22] x86 CtsHostsideNetworkTests completed in 4m 35s. 32 passed, 0 failed, 0 not executed
-03-22 23:19:26 W/CompatibilityTest: Inaccurate runtime hint for x86 CtsHostsideNetworkTests, expected 3m 56s was 5m 41s
-03-22 23:19:26 I/CompatibilityTest: Running system status checker after module execution: CtsHostsideNetworkTests
-03-22 23:19:27 I/MonitoringUtils: Connectivity: passed check.
-03-22 23:19:28 D/RunUtil: run interrupt allowed: false
-03-22 23:19:28 I/ResultReporter: Invocation finished in 6m 12s. PASSED: 33, FAILED: 2, NOT EXECUTED: 0, MODULES: 1 of 1
-03-22 23:19:29 I/ResultReporter: Test Result: /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/results/2017.03.22_23.13.15/test_result_failures.html
-03-22 23:19:29 I/ResultReporter: Full Result: /tmp/autotest-tradefed-install_qC2ZKG/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/results/2017.03.22_23.13.15.zip
-
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/CtsMediaTestCases.txt b/server/cros/tradefed/tradefed_utils_unittest_data/CtsMediaTestCases.txt
deleted file mode 100644
index 191c219..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/CtsMediaTestCases.txt
+++ /dev/null
@@ -1,4914 +0,0 @@
-03-22 17:25:23 I/ModuleRepo: chromeos2-row8-rack1-host19:22 running 1 modules, expected to complete in 3h 45m 0s
-03-22 17:25:23 I/CompatibilityTest: Starting 1 module on chromeos2-row8-rack1-host19:22
-03-22 17:25:23 D/ConfigurationFactory: Loading configuration 'system-status-checkers'
-03-22 17:25:23 D/ModuleDef: Preparer: DynamicConfigPusher
-03-22 17:25:23 I/CompatibilityTest: Running system status checker before module execution: CtsMediaTestCases
-03-22 17:25:23 D/ModuleDef: Preparer: DynamicConfigPusher
-03-22 17:25:24 D/ModuleDef: Preparer: ApkInstaller
-03-22 17:25:24 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsMediaTestCases.apk ...
-03-22 17:25:24 D/CtsMediaTestCases.apk: Uploading CtsMediaTestCases.apk onto device 'chromeos2-row8-rack1-host19:22'
-03-22 17:25:24 D/Device: Uploading file onto device 'chromeos2-row8-rack1-host19:22'
-03-22 17:27:13 D/RunUtil: Running command with timeout: 60000ms
-03-22 17:27:13 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsMediaTestCases.apk]
-03-22 17:27:14 D/ModuleDef: Test: AndroidJUnitTest
-03-22 17:27:14 W/InstrumentationTest: shell-timeout should be larger than test-timeout 1800000; NOTE: extending shell-timeout to 1980000, please consider fixing this!
-03-22 17:27:14 D/InstrumentationTest: Collecting test info for android.media.cts on device chromeos2-row8-rack1-host19:22
-03-22 17:27:14 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log true -e notTestFile /data/local/tmp/ajur/excludes.txt -e timeout_msec 1800000 android.media.cts/android.support.test.runner.AndroidJUnitRunner on google-caroline-chromeos2-row8-rack1-host19:22
-03-22 17:27:29 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log false -e notTestFile /data/local/tmp/ajur/excludes.txt -e timeout_msec 1800000 android.media.cts/android.support.test.runner.AndroidJUnitRunner on google-caroline-chromeos2-row8-rack1-host19:22
-03-22 17:27:30 D/ModuleListener: ModuleListener.testRunStarted(android.media.cts, 1395)
-03-22 17:27:30 I/ConsoleReporter: [chromeos2-row8-rack1-host19:22] Starting x86 CtsMediaTestCases with 1395 tests
-03-22 17:27:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveDrc)
-03-22 17:27:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveDrc, {})
-03-22 17:27:53 I/ConsoleReporter: [1/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH263_adaptiveDrc pass
-03-22 17:27:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveEarlyEos)
-03-22 17:28:00 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveEarlyEos, {})
-03-22 17:28:00 I/ConsoleReporter: [2/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH263_adaptiveEarlyEos pass
-03-22 17:28:00 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveEosFlushSeek)
-03-22 17:28:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveEosFlushSeek, {})
-03-22 17:28:22 I/ConsoleReporter: [3/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH263_adaptiveEosFlushSeek pass
-03-22 17:28:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveReconfigDrc)
-03-22 17:28:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveReconfigDrc, {})
-03-22 17:28:44 I/ConsoleReporter: [4/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH263_adaptiveReconfigDrc pass
-03-22 17:28:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveSkipAhead)
-03-22 17:29:06 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveSkipAhead, {})
-03-22 17:29:06 I/ConsoleReporter: [5/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH263_adaptiveSkipAhead pass
-03-22 17:29:06 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveSkipBack)
-03-22 17:29:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveSkipBack, {})
-03-22 17:29:27 I/ConsoleReporter: [6/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH263_adaptiveSkipBack pass
-03-22 17:29:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveSmallReconfigDrc)
-03-22 17:29:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH263_adaptiveSmallReconfigDrc, {})
-03-22 17:29:50 I/ConsoleReporter: [7/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH263_adaptiveSmallReconfigDrc pass
-03-22 17:29:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH263_earlyEos)
-03-22 17:29:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH263_earlyEos, {})
-03-22 17:29:56 I/ConsoleReporter: [8/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH263_earlyEos pass
-03-22 17:29:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH263_eosFlushSeek)
-03-22 17:30:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH263_eosFlushSeek, {})
-03-22 17:30:18 I/ConsoleReporter: [9/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH263_eosFlushSeek pass
-03-22 17:30:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH263_flushConfigureDrc)
-03-22 17:30:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH263_flushConfigureDrc, {})
-03-22 17:30:40 I/ConsoleReporter: [10/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH263_flushConfigureDrc pass
-03-22 17:30:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveDrc)
-03-22 17:31:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveDrc, {})
-03-22 17:31:27 I/ConsoleReporter: [11/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_adaptiveDrc pass
-03-22 17:31:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveDrcEarlyEos)
-03-22 17:31:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveDrcEarlyEos, {})
-03-22 17:31:36 I/ConsoleReporter: [12/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_adaptiveDrcEarlyEos pass
-03-22 17:31:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveEarlyEos)
-03-22 17:31:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveEarlyEos, {})
-03-22 17:31:47 I/ConsoleReporter: [13/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_adaptiveEarlyEos pass
-03-22 17:31:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveEosFlushSeek)
-03-22 17:32:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveEosFlushSeek, {})
-03-22 17:32:31 I/ConsoleReporter: [14/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_adaptiveEosFlushSeek pass
-03-22 17:32:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveReconfigDrc)
-03-22 17:33:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveReconfigDrc, {})
-03-22 17:33:17 I/ConsoleReporter: [15/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_adaptiveReconfigDrc pass
-03-22 17:33:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSkipAhead)
-03-22 17:33:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSkipAhead, {})
-03-22 17:33:59 I/ConsoleReporter: [16/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSkipAhead pass
-03-22 17:33:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSkipBack)
-03-22 17:34:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSkipBack, {})
-03-22 17:34:42 I/ConsoleReporter: [17/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSkipBack pass
-03-22 17:34:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSmallDrc)
-03-22 17:35:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSmallDrc, {})
-03-22 17:35:29 I/ConsoleReporter: [18/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSmallDrc pass
-03-22 17:35:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSmallReconfigDrc)
-03-22 17:36:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSmallReconfigDrc, {})
-03-22 17:36:14 I/ConsoleReporter: [19/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_adaptiveSmallReconfigDrc pass
-03-22 17:36:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_earlyEos)
-03-22 17:36:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_earlyEos, {})
-03-22 17:36:26 I/ConsoleReporter: [20/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_earlyEos pass
-03-22 17:36:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_eosFlushSeek)
-03-22 17:37:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_eosFlushSeek, {})
-03-22 17:37:09 I/ConsoleReporter: [21/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_eosFlushSeek pass
-03-22 17:37:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testH264_flushConfigureDrc)
-03-22 17:37:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testH264_flushConfigureDrc, {})
-03-22 17:37:55 I/ConsoleReporter: [22/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testH264_flushConfigureDrc pass
-03-22 17:37:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveDrc)
-03-22 17:38:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveDrc, {})
-03-22 17:38:22 I/ConsoleReporter: [23/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveDrc pass
-03-22 17:38:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveDrcEarlyEos)
-03-22 17:38:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveDrcEarlyEos, {})
-03-22 17:38:28 I/ConsoleReporter: [24/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveDrcEarlyEos pass
-03-22 17:38:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveEarlyEos)
-03-22 17:38:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveEarlyEos, {})
-03-22 17:38:36 I/ConsoleReporter: [25/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveEarlyEos pass
-03-22 17:38:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveEosFlushSeek)
-03-22 17:39:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveEosFlushSeek, {})
-03-22 17:39:02 I/ConsoleReporter: [26/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveEosFlushSeek pass
-03-22 17:39:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveReconfigDrc)
-03-22 17:39:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveReconfigDrc, {})
-03-22 17:39:30 I/ConsoleReporter: [27/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveReconfigDrc pass
-03-22 17:39:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSkipAhead)
-03-22 17:39:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSkipAhead, {})
-03-22 17:39:55 I/ConsoleReporter: [28/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSkipAhead pass
-03-22 17:39:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSkipBack)
-03-22 17:40:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSkipBack, {})
-03-22 17:40:20 I/ConsoleReporter: [29/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSkipBack pass
-03-22 17:40:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSmallDrc)
-03-22 17:40:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSmallDrc, {})
-03-22 17:40:47 I/ConsoleReporter: [30/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSmallDrc pass
-03-22 17:40:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSmallReconfigDrc)
-03-22 17:41:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSmallReconfigDrc, {})
-03-22 17:41:14 I/ConsoleReporter: [31/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_adaptiveSmallReconfigDrc pass
-03-22 17:41:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_earlyEos)
-03-22 17:41:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_earlyEos, {})
-03-22 17:41:23 I/ConsoleReporter: [32/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_earlyEos pass
-03-22 17:41:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_eosFlushSeek)
-03-22 17:41:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_eosFlushSeek, {})
-03-22 17:41:48 I/ConsoleReporter: [33/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_eosFlushSeek pass
-03-22 17:41:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testHEVC_flushConfigureDrc)
-03-22 17:42:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testHEVC_flushConfigureDrc, {})
-03-22 17:42:16 I/ConsoleReporter: [34/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testHEVC_flushConfigureDrc pass
-03-22 17:42:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveDrc)
-03-22 17:42:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveDrc, {})
-03-22 17:42:40 I/ConsoleReporter: [35/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveDrc pass
-03-22 17:42:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveEarlyEos)
-03-22 17:42:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveEarlyEos, {})
-03-22 17:42:46 I/ConsoleReporter: [36/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveEarlyEos pass
-03-22 17:42:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveEosFlushSeek)
-03-22 17:43:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveEosFlushSeek, {})
-03-22 17:43:08 I/ConsoleReporter: [37/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveEosFlushSeek pass
-03-22 17:43:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveReconfigDrc)
-03-22 17:43:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveReconfigDrc, {})
-03-22 17:43:31 I/ConsoleReporter: [38/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveReconfigDrc pass
-03-22 17:43:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveSkipAhead)
-03-22 17:43:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveSkipAhead, {})
-03-22 17:43:52 I/ConsoleReporter: [39/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveSkipAhead pass
-03-22 17:43:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveSkipBack)
-03-22 17:44:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveSkipBack, {})
-03-22 17:44:14 I/ConsoleReporter: [40/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveSkipBack pass
-03-22 17:44:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveSmallReconfigDrc)
-03-22 17:44:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveSmallReconfigDrc, {})
-03-22 17:44:36 I/ConsoleReporter: [41/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testMpeg4_adaptiveSmallReconfigDrc pass
-03-22 17:44:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testMpeg4_earlyEos)
-03-22 17:44:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testMpeg4_earlyEos, {})
-03-22 17:44:43 I/ConsoleReporter: [42/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testMpeg4_earlyEos pass
-03-22 17:44:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testMpeg4_eosFlushSeek)
-03-22 17:45:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testMpeg4_eosFlushSeek, {})
-03-22 17:45:05 I/ConsoleReporter: [43/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testMpeg4_eosFlushSeek pass
-03-22 17:45:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testMpeg4_flushConfigureDrc)
-03-22 17:45:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testMpeg4_flushConfigureDrc, {})
-03-22 17:45:27 I/ConsoleReporter: [44/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testMpeg4_flushConfigureDrc pass
-03-22 17:45:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveDrc)
-03-22 17:46:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveDrc, {})
-03-22 17:46:14 I/ConsoleReporter: [45/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveDrc pass
-03-22 17:46:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveDrcEarlyEos)
-03-22 17:46:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveDrcEarlyEos, {})
-03-22 17:46:23 I/ConsoleReporter: [46/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveDrcEarlyEos pass
-03-22 17:46:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEarlyEos)
-03-22 17:46:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEarlyEos, {})
-03-22 17:46:35 I/ConsoleReporter: [47/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEarlyEos pass
-03-22 17:46:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek)
-03-22 17:47:20 D/ModuleListener: ModuleListener.testFailed(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek, java.lang.RuntimeException: java.lang.RuntimeException: 3 failed steps, 4 warnings

-at android.media.cts.AdaptivePlaybackTest.ex(AdaptivePlaybackTest.java:313)

-at android.media.cts.AdaptivePlaybackTest.ex(AdaptivePlaybackTest.java:293)

-at android.media.cts.AdaptivePlaybackTest.testVP8_adaptiveEosFlushSeek(AdaptivePlaybackTest.java:220)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at android.test.ActivityInstrumentationTestCase2.runTest(ActivityInstrumentationTestCase2.java:192)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-Caused by: java.lang.RuntimeException: 3 failed steps, 4 warnings

-at android.media.cts.TestList.run(AdaptivePlaybackTest.java:1575)

-at android.media.cts.AdaptivePlaybackTest.ex(AdaptivePlaybackTest.java:311)

-... 19 more

-Caused by: junit.framework.AssertionFailedError: Queued 27 frames but only received 0

-at junit.framework.Assert.fail(Assert.java:50)

-at android.media.cts.AdaptivePlaybackTest$Decoder.queueInputBufferRange(AdaptivePlaybackTest.java:1128)

-at android.media.cts.AdaptivePlaybackTest$Decoder.queueInputBufferRange(AdaptivePlaybackTest.java:1058)

-at android.media.cts.AdaptivePlaybackTest$EosFlushSeekTest$2.run(AdaptivePlaybackTest.java:423)

-at android.media.cts.TestList.run(AdaptivePlaybackTest.java:1564)

-... 20 more

-)
-03-22 17:47:20 I/ConsoleReporter: [48/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek fail: java.lang.RuntimeException: java.lang.RuntimeException: 3 failed steps, 4 warnings

-at android.media.cts.AdaptivePlaybackTest.ex(AdaptivePlaybackTest.java:313)

-at android.media.cts.AdaptivePlaybackTest.ex(AdaptivePlaybackTest.java:293)

-at android.media.cts.AdaptivePlaybackTest.testVP8_adaptiveEosFlushSeek(AdaptivePlaybackTest.java:220)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at android.test.ActivityInstrumentationTestCase2.runTest(ActivityInstrumentationTestCase2.java:192)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-Caused by: java.lang.RuntimeException: 3 failed steps, 4 warnings

-at android.media.cts.TestList.run(AdaptivePlaybackTest.java:1575)

-at android.media.cts.AdaptivePlaybackTest.ex(AdaptivePlaybackTest.java:311)

-... 19 more

-Caused by: junit.framework.AssertionFailedError: Queued 27 frames but only received 0

-at junit.framework.Assert.fail(Assert.java:50)

-at android.media.cts.AdaptivePlaybackTest$Decoder.queueInputBufferRange(AdaptivePlaybackTest.java:1128)

-at android.media.cts.AdaptivePlaybackTest$Decoder.queueInputBufferRange(AdaptivePlaybackTest.java:1058)

-at android.media.cts.AdaptivePlaybackTest$EosFlushSeekTest$2.run(AdaptivePlaybackTest.java:423)

-at android.media.cts.TestList.run(AdaptivePlaybackTest.java:1564)

-... 20 more

-
-03-22 17:47:20 I/FailureListener: FailureListener.testFailed android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek false true false
-03-22 17:47:22 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44 with prefix "android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek-logcat_" suffix ".zip"
-03-22 17:47:22 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek-logcat_3406662512021763726.zip
-03-22 17:47:22 I/ResultReporter: Saved logs for android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek-logcat in /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek-logcat_3406662512021763726.zip
-03-22 17:47:22 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_2858568675927852618 with prefix "android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek-logcat_" suffix ".zip"
-03-22 17:47:22 D/RunUtil: Running command with timeout: 10000ms
-03-22 17:47:22 D/RunUtil: Running [chmod]
-03-22 17:47:22 D/RunUtil: [chmod] command failed. return code 1
-03-22 17:47:22 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek-logcat_3779004310180272751.zip to ug+rwx
-03-22 17:47:22 D/RunUtil: Running command with timeout: 10000ms
-03-22 17:47:22 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek-logcat_3779004310180272751.zip]
-03-22 17:47:22 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek-logcat_3779004310180272751.zip
-03-22 17:47:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveEosFlushSeek, {})
-03-22 17:47:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveReconfigDrc)
-03-22 17:48:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveReconfigDrc, {})
-03-22 17:48:05 I/ConsoleReporter: [49/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveReconfigDrc pass
-03-22 17:48:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSkipAhead)
-03-22 17:48:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSkipAhead, {})
-03-22 17:48:48 I/ConsoleReporter: [50/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSkipAhead pass
-03-22 17:48:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSkipBack)
-03-22 17:49:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSkipBack, {})
-03-22 17:49:31 I/ConsoleReporter: [51/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSkipBack pass
-03-22 17:49:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSmallDrc)
-03-22 17:50:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSmallDrc, {})
-03-22 17:50:17 I/ConsoleReporter: [52/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSmallDrc pass
-03-22 17:50:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSmallReconfigDrc)
-03-22 17:51:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSmallReconfigDrc, {})
-03-22 17:51:03 I/ConsoleReporter: [53/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_adaptiveSmallReconfigDrc pass
-03-22 17:51:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_earlyEos)
-03-22 17:51:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_earlyEos, {})
-03-22 17:51:14 I/ConsoleReporter: [54/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_earlyEos pass
-03-22 17:51:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_eosFlushSeek)
-03-22 17:51:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_eosFlushSeek, {})
-03-22 17:51:57 I/ConsoleReporter: [55/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_eosFlushSeek pass
-03-22 17:51:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP8_flushConfigureDrc)
-03-22 17:52:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP8_flushConfigureDrc, {})
-03-22 17:52:43 I/ConsoleReporter: [56/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP8_flushConfigureDrc pass
-03-22 17:52:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveDrc)
-03-22 17:53:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveDrc, {})
-03-22 17:53:08 I/ConsoleReporter: [57/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveDrc pass
-03-22 17:53:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveDrcEarlyEos)
-03-22 17:53:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveDrcEarlyEos, {})
-03-22 17:53:15 I/ConsoleReporter: [58/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveDrcEarlyEos pass
-03-22 17:53:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveEarlyEos)
-03-22 17:53:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveEarlyEos, {})
-03-22 17:53:22 I/ConsoleReporter: [59/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveEarlyEos pass
-03-22 17:53:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveEosFlushSeek)
-03-22 17:53:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveEosFlushSeek, {})
-03-22 17:53:44 I/ConsoleReporter: [60/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveEosFlushSeek pass
-03-22 17:53:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveReconfigDrc)
-03-22 17:54:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveReconfigDrc, {})
-03-22 17:54:09 I/ConsoleReporter: [61/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveReconfigDrc pass
-03-22 17:54:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSkipAhead)
-03-22 17:54:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSkipAhead, {})
-03-22 17:54:31 I/ConsoleReporter: [62/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSkipAhead pass
-03-22 17:54:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSkipBack)
-03-22 17:54:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSkipBack, {})
-03-22 17:54:54 I/ConsoleReporter: [63/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSkipBack pass
-03-22 17:54:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSmallDrc)
-03-22 17:55:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSmallDrc, {})
-03-22 17:55:19 I/ConsoleReporter: [64/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSmallDrc pass
-03-22 17:55:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSmallReconfigDrc)
-03-22 17:55:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSmallReconfigDrc, {})
-03-22 17:55:45 I/ConsoleReporter: [65/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_adaptiveSmallReconfigDrc pass
-03-22 17:55:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_earlyEos)
-03-22 17:55:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_earlyEos, {})
-03-22 17:55:52 I/ConsoleReporter: [66/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_earlyEos pass
-03-22 17:55:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_eosFlushSeek)
-03-22 17:56:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_eosFlushSeek, {})
-03-22 17:56:14 I/ConsoleReporter: [67/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_eosFlushSeek pass
-03-22 17:56:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AdaptivePlaybackTest#testVP9_flushConfigureDrc)
-03-22 17:56:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AdaptivePlaybackTest#testVP9_flushConfigureDrc, {})
-03-22 17:56:39 I/ConsoleReporter: [68/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AdaptivePlaybackTest#testVP9_flushConfigureDrc pass
-03-22 17:56:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AsyncPlayerTest#testAsyncPlayer)
-03-22 17:56:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AsyncPlayerTest#testAsyncPlayer, {})
-03-22 17:56:42 I/ConsoleReporter: [69/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AsyncPlayerTest#testAsyncPlayer pass
-03-22 17:56:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AsyncPlayerTest#testAsyncPlayerAudioAttributes)
-03-22 17:56:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AsyncPlayerTest#testAsyncPlayerAudioAttributes, {})
-03-22 17:56:45 I/ConsoleReporter: [70/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AsyncPlayerTest#testAsyncPlayerAudioAttributes pass
-03-22 17:56:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioAttributesTest#testParcelableDescribeContents)
-03-22 17:56:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioAttributesTest#testParcelableDescribeContents, {})
-03-22 17:56:45 I/ConsoleReporter: [71/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioAttributesTest#testParcelableDescribeContents pass
-03-22 17:56:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioAttributesTest#testParcelableWriteToParcelCreate)
-03-22 17:56:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioAttributesTest#testParcelableWriteToParcelCreate, {})
-03-22 17:56:45 I/ConsoleReporter: [72/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioAttributesTest#testParcelableWriteToParcelCreate pass
-03-22 17:56:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test0_0QueryEffects)
-03-22 17:56:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test0_0QueryEffects, {})
-03-22 17:56:45 I/ConsoleReporter: [73/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test0_0QueryEffects pass
-03-22 17:56:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test1_3GetEnabledAfterRelease)
-03-22 17:56:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test1_3GetEnabledAfterRelease, {})
-03-22 17:56:45 I/ConsoleReporter: [74/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test1_3GetEnabledAfterRelease pass
-03-22 17:56:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test1_4InsertOnMediaPlayer)
-03-22 17:56:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test1_4InsertOnMediaPlayer, {})
-03-22 17:56:45 I/ConsoleReporter: [75/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test1_4InsertOnMediaPlayer pass
-03-22 17:56:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test1_5AuxiliaryOnMediaPlayer)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test1_5AuxiliaryOnMediaPlayer, {})
-03-22 17:56:46 I/ConsoleReporter: [76/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test1_5AuxiliaryOnMediaPlayer pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test1_6AuxiliaryOnMediaPlayerFailure)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test1_6AuxiliaryOnMediaPlayerFailure, {})
-03-22 17:56:46 I/ConsoleReporter: [77/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test1_6AuxiliaryOnMediaPlayerFailure pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test1_7AuxiliaryOnAudioTrack)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test1_7AuxiliaryOnAudioTrack, {})
-03-22 17:56:46 I/ConsoleReporter: [78/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test1_7AuxiliaryOnAudioTrack pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test2_0SetEnabledGetEnabled)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test2_0SetEnabledGetEnabled, {})
-03-22 17:56:46 I/ConsoleReporter: [79/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test2_0SetEnabledGetEnabled pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test2_1SetEnabledAfterRelease)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test2_1SetEnabledAfterRelease, {})
-03-22 17:56:46 I/ConsoleReporter: [80/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test2_1SetEnabledAfterRelease pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test3_0SetParameterByteArrayByteArray)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test3_0SetParameterByteArrayByteArray, {})
-03-22 17:56:46 I/ConsoleReporter: [81/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test3_0SetParameterByteArrayByteArray pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test3_1SetParameterIntInt)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test3_1SetParameterIntInt, {})
-03-22 17:56:46 I/ConsoleReporter: [82/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test3_1SetParameterIntInt pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test3_2SetParameterIntShort)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test3_2SetParameterIntShort, {})
-03-22 17:56:46 I/ConsoleReporter: [83/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test3_2SetParameterIntShort pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test3_3SetParameterIntByteArray)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test3_3SetParameterIntByteArray, {})
-03-22 17:56:46 I/ConsoleReporter: [84/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test3_3SetParameterIntByteArray pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test3_4SetParameterIntArrayIntArray)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test3_4SetParameterIntArrayIntArray, {})
-03-22 17:56:46 I/ConsoleReporter: [85/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test3_4SetParameterIntArrayIntArray pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test3_5SetParameterIntArrayShortArray)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test3_5SetParameterIntArrayShortArray, {})
-03-22 17:56:46 I/ConsoleReporter: [86/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test3_5SetParameterIntArrayShortArray pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test3_6SetParameterIntArrayByteArray)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test3_6SetParameterIntArrayByteArray, {})
-03-22 17:56:46 I/ConsoleReporter: [87/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test3_6SetParameterIntArrayByteArray pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test3_7SetParameterAfterRelease)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test3_7SetParameterAfterRelease, {})
-03-22 17:56:46 I/ConsoleReporter: [88/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test3_7SetParameterAfterRelease pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test3_8GetParameterAfterRelease)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test3_8GetParameterAfterRelease, {})
-03-22 17:56:46 I/ConsoleReporter: [89/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test3_8GetParameterAfterRelease pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test4_0setEnabledLowerPriority)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test4_0setEnabledLowerPriority, {})
-03-22 17:56:46 I/ConsoleReporter: [90/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test4_0setEnabledLowerPriority pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test4_1setParameterLowerPriority)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test4_1setParameterLowerPriority, {})
-03-22 17:56:46 I/ConsoleReporter: [91/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test4_1setParameterLowerPriority pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test4_2ControlStatusListener)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test4_2ControlStatusListener, {})
-03-22 17:56:46 I/ConsoleReporter: [92/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test4_2ControlStatusListener pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test4_3EnableStatusListener)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test4_3EnableStatusListener, {})
-03-22 17:56:46 I/ConsoleReporter: [93/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test4_3EnableStatusListener pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test4_4ParameterChangedListener)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test4_4ParameterChangedListener, {})
-03-22 17:56:46 I/ConsoleReporter: [94/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test4_4ParameterChangedListener pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioEffectTest#test5_0Command)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioEffectTest#test5_0Command, {})
-03-22 17:56:46 I/ConsoleReporter: [95/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioEffectTest#test5_0Command pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioFormatTest#testBuilderForCopy)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioFormatTest#testBuilderForCopy, {})
-03-22 17:56:46 I/ConsoleReporter: [96/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioFormatTest#testBuilderForCopy pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioFormatTest#testParcel)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioFormatTest#testParcel, {})
-03-22 17:56:46 I/ConsoleReporter: [97/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioFormatTest#testParcel pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyChanIdxMask)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyChanIdxMask, {})
-03-22 17:56:46 I/ConsoleReporter: [98/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyChanIdxMask pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyChanMask)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyChanMask, {})
-03-22 17:56:46 I/ConsoleReporter: [99/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyChanMask pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyEncoding)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyEncoding, {})
-03-22 17:56:46 I/ConsoleReporter: [100/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyEncoding pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyRate)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyRate, {})
-03-22 17:56:46 I/ConsoleReporter: [101/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioFormatTest#testPartialFormatBuilderForCopyRate pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testAccessMode)
-03-22 17:56:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testAccessMode, {})
-03-22 17:56:46 I/ConsoleReporter: [102/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testAccessMode pass
-03-22 17:56:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testAccessRingMode)
-03-22 17:56:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testAccessRingMode, {})
-03-22 17:56:47 I/ConsoleReporter: [103/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testAccessRingMode pass
-03-22 17:56:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testAdjustVolumeInAlarmsOnlyMode)
-03-22 17:56:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testAdjustVolumeInAlarmsOnlyMode, {})
-03-22 17:56:49 I/ConsoleReporter: [104/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testAdjustVolumeInAlarmsOnlyMode pass
-03-22 17:56:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testAdjustVolumeInTotalSilenceMode)
-03-22 17:56:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testAdjustVolumeInTotalSilenceMode, {})
-03-22 17:56:52 I/ConsoleReporter: [105/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testAdjustVolumeInTotalSilenceMode pass
-03-22 17:56:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testMicrophoneMute)
-03-22 17:56:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testMicrophoneMute, {})
-03-22 17:56:52 I/ConsoleReporter: [106/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testMicrophoneMute pass
-03-22 17:56:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testMusicActive)
-03-22 17:56:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testMusicActive, {})
-03-22 17:56:58 I/ConsoleReporter: [107/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testMusicActive pass
-03-22 17:56:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testMuteDndAffectedStreams)
-03-22 17:57:00 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testMuteDndAffectedStreams, {})
-03-22 17:57:00 I/ConsoleReporter: [108/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testMuteDndAffectedStreams pass
-03-22 17:57:00 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testMuteDndUnaffectedStreams)
-03-22 17:57:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testMuteDndUnaffectedStreams, {})
-03-22 17:57:01 I/ConsoleReporter: [109/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testMuteDndUnaffectedStreams pass
-03-22 17:57:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testMuteFixedVolume)
-03-22 17:57:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testMuteFixedVolume, {})
-03-22 17:57:01 I/ConsoleReporter: [110/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testMuteFixedVolume pass
-03-22 17:57:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testRouting)
-03-22 17:57:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testRouting, {})
-03-22 17:57:01 I/ConsoleReporter: [111/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testRouting pass
-03-22 17:57:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testSetInvalidRingerMode)
-03-22 17:57:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testSetInvalidRingerMode, {})
-03-22 17:57:01 I/ConsoleReporter: [112/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testSetInvalidRingerMode pass
-03-22 17:57:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testSetRingerModePolicyAccess)
-03-22 17:57:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testSetRingerModePolicyAccess, {})
-03-22 17:57:03 I/ConsoleReporter: [113/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testSetRingerModePolicyAccess pass
-03-22 17:57:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testSetStreamVolumeInAlarmsOnlyMode)
-03-22 17:57:06 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testSetStreamVolumeInAlarmsOnlyMode, {})
-03-22 17:57:06 I/ConsoleReporter: [114/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testSetStreamVolumeInAlarmsOnlyMode pass
-03-22 17:57:06 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testSetStreamVolumeInTotalSilenceMode)
-03-22 17:57:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testSetStreamVolumeInTotalSilenceMode, {})
-03-22 17:57:09 I/ConsoleReporter: [115/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testSetStreamVolumeInTotalSilenceMode pass
-03-22 17:57:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testSoundEffects)
-03-22 17:57:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testSoundEffects, {})
-03-22 17:57:11 I/ConsoleReporter: [116/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testSoundEffects pass
-03-22 17:57:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testVibrateNotification)
-03-22 17:57:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testVibrateNotification, {})
-03-22 17:57:11 I/ConsoleReporter: [117/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testVibrateNotification pass
-03-22 17:57:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testVibrateRinger)
-03-22 17:57:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testVibrateRinger, {})
-03-22 17:57:12 I/ConsoleReporter: [118/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testVibrateRinger pass
-03-22 17:57:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testVolume)
-03-22 17:57:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testVolume, {})
-03-22 17:57:16 I/ConsoleReporter: [119/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testVolume pass
-03-22 17:57:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioManagerTest#testVolumeDndAffectedStream)
-03-22 17:57:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioManagerTest#testVolumeDndAffectedStream, {})
-03-22 17:57:18 I/ConsoleReporter: [120/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioManagerTest#testVolumeDndAffectedStream pass
-03-22 17:57:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioNativeTest#testAppendixBBufferQueue)
-03-22 17:57:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioNativeTest#testAppendixBBufferQueue, {})
-03-22 17:57:18 I/ConsoleReporter: [121/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioNativeTest#testAppendixBBufferQueue pass
-03-22 17:57:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioNativeTest#testAppendixBRecording)
-03-22 17:57:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioNativeTest#testAppendixBRecording, {})
-03-22 17:57:19 I/ConsoleReporter: [122/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioNativeTest#testAppendixBRecording pass
-03-22 17:57:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioNativeTest#testInputChannelMasks)
-03-22 17:57:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioNativeTest#testInputChannelMasks, {})
-03-22 17:57:19 I/ConsoleReporter: [123/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioNativeTest#testInputChannelMasks pass
-03-22 17:57:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioNativeTest#testOutputChannelMasks)
-03-22 17:57:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioNativeTest#testOutputChannelMasks, {})
-03-22 17:57:19 I/ConsoleReporter: [124/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioNativeTest#testOutputChannelMasks pass
-03-22 17:57:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioNativeTest#testPlayStreamData)
-03-22 17:57:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioNativeTest#testPlayStreamData, {})
-03-22 17:57:45 I/ConsoleReporter: [125/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioNativeTest#testPlayStreamData pass
-03-22 17:57:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioNativeTest#testRecordAudit)
-03-22 17:57:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioNativeTest#testRecordAudit, {})
-03-22 17:57:55 I/ConsoleReporter: [126/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioNativeTest#testRecordAudit pass
-03-22 17:57:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioNativeTest#testRecordStreamData)
-03-22 17:58:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioNativeTest#testRecordStreamData, {})
-03-22 17:58:22 I/ConsoleReporter: [127/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioNativeTest#testRecordStreamData pass
-03-22 17:58:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioNativeTest#testStereo16Playback)
-03-22 17:58:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioNativeTest#testStereo16Playback, {})
-03-22 17:58:22 I/ConsoleReporter: [128/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioNativeTest#testStereo16Playback pass
-03-22 17:58:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioNativeTest#testStereo16Record)
-03-22 17:58:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioNativeTest#testStereo16Record, {})
-03-22 17:58:22 I/ConsoleReporter: [129/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioNativeTest#testStereo16Record pass
-03-22 17:58:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioPlayRoutingNative#testAquireDefaultProxy)
-03-22 17:58:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioPlayRoutingNative#testAquireDefaultProxy, {})
-03-22 17:58:22 I/ConsoleReporter: [130/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioPlayRoutingNative#testAquireDefaultProxy pass
-03-22 17:58:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioPlayRoutingNative#testAquirePreRealizeDefaultProxy)
-03-22 17:58:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioPlayRoutingNative#testAquirePreRealizeDefaultProxy, {})
-03-22 17:58:22 I/ConsoleReporter: [131/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioPlayRoutingNative#testAquirePreRealizeDefaultProxy pass
-03-22 17:58:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioPlayRoutingNative#testRouting)
-03-22 17:58:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioPlayRoutingNative#testRouting, {})
-03-22 17:58:22 I/ConsoleReporter: [132/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioPlayRoutingNative#testRouting pass
-03-22 17:58:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioPreProcessingTest#test1_1NsCreateAndRelease)
-03-22 17:58:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioPreProcessingTest#test1_1NsCreateAndRelease, {})
-03-22 17:58:22 I/ConsoleReporter: [133/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioPreProcessingTest#test1_1NsCreateAndRelease pass
-03-22 17:58:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioPreProcessingTest#test1_2NsSetEnabledGetEnabled)
-03-22 17:58:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioPreProcessingTest#test1_2NsSetEnabledGetEnabled, {})
-03-22 17:58:22 I/ConsoleReporter: [134/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioPreProcessingTest#test1_2NsSetEnabledGetEnabled pass
-03-22 17:58:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioPreProcessingTest#test2_1AecCreateAndRelease)
-03-22 17:58:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioPreProcessingTest#test2_1AecCreateAndRelease, {})
-03-22 17:58:23 I/ConsoleReporter: [135/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioPreProcessingTest#test2_1AecCreateAndRelease pass
-03-22 17:58:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioPreProcessingTest#test2_2AecSetEnabledGetEnabled)
-03-22 17:58:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioPreProcessingTest#test2_2AecSetEnabledGetEnabled, {})
-03-22 17:58:23 I/ConsoleReporter: [136/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioPreProcessingTest#test2_2AecSetEnabledGetEnabled pass
-03-22 17:58:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioPreProcessingTest#test3_1AgcCreateAndRelease)
-03-22 17:58:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioPreProcessingTest#test3_1AgcCreateAndRelease, {})
-03-22 17:58:23 I/ConsoleReporter: [137/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioPreProcessingTest#test3_1AgcCreateAndRelease pass
-03-22 17:58:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioPreProcessingTest#test3_2AgcSetEnabledGetEnabled)
-03-22 17:58:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioPreProcessingTest#test3_2AgcSetEnabledGetEnabled, {})
-03-22 17:58:23 I/ConsoleReporter: [138/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioPreProcessingTest#test3_2AgcSetEnabledGetEnabled pass
-03-22 17:58:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordRoutingNative#testAquireDefaultProxy)
-03-22 17:58:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordRoutingNative#testAquireDefaultProxy, {})
-03-22 17:58:23 I/ConsoleReporter: [139/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordRoutingNative#testAquireDefaultProxy pass
-03-22 17:58:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordRoutingNative#testAquirePreRealizeDefaultProxy)
-03-22 17:58:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordRoutingNative#testAquirePreRealizeDefaultProxy, {})
-03-22 17:58:23 I/ConsoleReporter: [140/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordRoutingNative#testAquirePreRealizeDefaultProxy pass
-03-22 17:58:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordRoutingNative#testRouting)
-03-22 17:58:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordRoutingNative#testRouting, {})
-03-22 17:58:23 I/ConsoleReporter: [141/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordRoutingNative#testRouting pass
-03-22 17:58:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordAuditByteBufferResamplerStereoFloat)
-03-22 17:59:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordAuditByteBufferResamplerStereoFloat, {})
-03-22 17:59:23 I/ConsoleReporter: [142/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordAuditByteBufferResamplerStereoFloat pass
-03-22 17:59:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordAuditChannelIndex2)
-03-22 18:00:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordAuditChannelIndex2, {})
-03-22 18:00:24 I/ConsoleReporter: [143/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordAuditChannelIndex2 pass
-03-22 18:00:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordAuditChannelIndex5)
-03-22 18:01:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordAuditChannelIndex5, {})
-03-22 18:01:24 I/ConsoleReporter: [144/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordAuditChannelIndex5 pass
-03-22 18:01:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordAuditChannelIndexMonoFloat)
-03-22 18:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordAuditChannelIndexMonoFloat, {})
-03-22 18:02:25 I/ConsoleReporter: [145/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordAuditChannelIndexMonoFloat pass
-03-22 18:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordBufferSize)
-03-22 18:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordBufferSize, {})
-03-22 18:02:25 I/ConsoleReporter: [146/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordBufferSize pass
-03-22 18:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordBuilderDefault)
-03-22 18:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordBuilderDefault, {})
-03-22 18:02:25 I/ConsoleReporter: [147/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordBuilderDefault pass
-03-22 18:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordBuilderParams)
-03-22 18:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordBuilderParams, {})
-03-22 18:02:25 I/ConsoleReporter: [148/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordBuilderParams pass
-03-22 18:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordBuilderPartialFormat)
-03-22 18:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordBuilderPartialFormat, {})
-03-22 18:02:25 I/ConsoleReporter: [149/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordBuilderPartialFormat pass
-03-22 18:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordLocalMono16Bit)
-03-22 18:02:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordLocalMono16Bit, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioRecordTest#doTest:1140" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-<Value>4.696120689655173</Value>

-</Metric>

-</Summary>})
-03-22 18:02:27 I/ConsoleReporter: [150/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordLocalMono16Bit pass
-03-22 18:02:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordLocalNonblockingStereoFloat)
-03-22 18:02:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordLocalNonblockingStereoFloat, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioRecordTest#doTest:1140" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-<Value>0.75</Value>

-</Metric>

-</Summary>})
-03-22 18:02:29 I/ConsoleReporter: [151/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordLocalNonblockingStereoFloat pass
-03-22 18:02:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordMonoFloat)
-03-22 18:02:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordMonoFloat, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioRecordTest#doTest:1140" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-<Value>4.705280172413794</Value>

-</Metric>

-</Summary>})
-03-22 18:02:32 I/ConsoleReporter: [152/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordMonoFloat pass
-03-22 18:02:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordOP)
-03-22 18:03:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordOP, {})
-03-22 18:03:15 I/ConsoleReporter: [153/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordOP pass
-03-22 18:03:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordProperties)
-03-22 18:03:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordProperties, {})
-03-22 18:03:15 I/ConsoleReporter: [154/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordProperties pass
-03-22 18:03:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordResamplerMono8Bit)
-03-22 18:03:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordResamplerMono8Bit, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioRecordTest#doTest:1140" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-<Value>0.0</Value>

-</Metric>

-</Summary>})
-03-22 18:03:17 I/ConsoleReporter: [155/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordResamplerMono8Bit pass
-03-22 18:03:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordResamplerStereo8Bit)
-03-22 18:03:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordResamplerStereo8Bit, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioRecordTest#doTest:1140" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-<Value>1.8333333333333335</Value>

-</Metric>

-</Summary>})
-03-22 18:03:19 I/ConsoleReporter: [156/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordResamplerStereo8Bit pass
-03-22 18:03:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testAudioRecordStereo16Bit)
-03-22 18:03:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testAudioRecordStereo16Bit, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioRecordTest#doTest:1140" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-<Value>3.0</Value>

-</Metric>

-</Summary>})
-03-22 18:03:21 I/ConsoleReporter: [157/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testAudioRecordStereo16Bit pass
-03-22 18:03:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testSynchronizedRecord)
-03-22 18:03:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testSynchronizedRecord, {})
-03-22 18:03:25 I/ConsoleReporter: [158/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testSynchronizedRecord pass
-03-22 18:03:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordTest#testTimestamp)
-03-22 18:03:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordTest#testTimestamp, {})
-03-22 18:03:31 I/ConsoleReporter: [159/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordTest#testTimestamp pass
-03-22 18:03:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecord_BufferSizeTest#testGetMinBufferSize)
-03-22 18:03:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecord_BufferSizeTest#testGetMinBufferSize, {})
-03-22 18:03:31 I/ConsoleReporter: [160/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecord_BufferSizeTest#testGetMinBufferSize pass
-03-22 18:03:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordingConfigurationTest#testAudioManagerGetActiveRecordConfigurations)
-03-22 18:03:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordingConfigurationTest#testAudioManagerGetActiveRecordConfigurations, {})
-03-22 18:03:32 I/ConsoleReporter: [161/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordingConfigurationTest#testAudioManagerGetActiveRecordConfigurations pass
-03-22 18:03:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordingConfigurationTest#testCallback)
-03-22 18:03:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordingConfigurationTest#testCallback, {})
-03-22 18:03:32 I/ConsoleReporter: [162/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordingConfigurationTest#testCallback pass
-03-22 18:03:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioRecordingConfigurationTest#testParcel)
-03-22 18:03:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioRecordingConfigurationTest#testParcel, {})
-03-22 18:03:32 I/ConsoleReporter: [163/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioRecordingConfigurationTest#testParcel pass
-03-22 18:03:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackLatencyTest#testGetUnderrunCount)
-03-22 18:03:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackLatencyTest#testGetUnderrunCount, {})
-03-22 18:03:42 I/ConsoleReporter: [164/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackLatencyTest#testGetUnderrunCount pass
-03-22 18:03:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackLatencyTest#testGetUnderrunCountSleep)
-03-22 18:03:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackLatencyTest#testGetUnderrunCountSleep, {})
-03-22 18:03:55 I/ConsoleReporter: [165/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackLatencyTest#testGetUnderrunCountSleep pass
-03-22 18:03:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackLatencyTest#testOutputLowLatency)
-03-22 18:04:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackLatencyTest#testOutputLowLatency, {})
-03-22 18:04:03 I/ConsoleReporter: [166/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackLatencyTest#testOutputLowLatency pass
-03-22 18:04:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackLatencyTest#testPlayPauseSmallBuffer)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackLatencyTest#testPlayPauseSmallBuffer, {})
-03-22 18:04:15 I/ConsoleReporter: [167/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackLatencyTest#testPlayPauseSmallBuffer pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackLatencyTest#testPlaySmallBuffer)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackLatencyTest#testPlaySmallBuffer, {})
-03-22 18:04:15 I/ConsoleReporter: [168/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackLatencyTest#testPlaySmallBuffer pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackLatencyTest#testSetBufferSize)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackLatencyTest#testSetBufferSize, {})
-03-22 18:04:15 I/ConsoleReporter: [169/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackLatencyTest#testSetBufferSize pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackLatencyTest#testTrackBufferSize)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackLatencyTest#testTrackBufferSize, {})
-03-22 18:04:15 I/ConsoleReporter: [170/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackLatencyTest#testTrackBufferSize pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testIEC61937_Errors)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testIEC61937_Errors, {})
-03-22 18:04:15 I/ConsoleReporter: [171/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testIEC61937_Errors pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testLoadSineSweep)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testLoadSineSweep, {})
-03-22 18:04:15 I/ConsoleReporter: [172/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testLoadSineSweep pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testPcmSupport)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testPcmSupport, {})
-03-22 18:04:15 I/ConsoleReporter: [173/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testPcmSupport pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testPlayAC3Bytes)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testPlayAC3Bytes, {})
-03-22 18:04:15 I/ConsoleReporter: [174/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testPlayAC3Bytes pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testPlayAC3Shorts)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testPlayAC3Shorts, {})
-03-22 18:04:15 I/ConsoleReporter: [175/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testPlayAC3Shorts pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testPlayIEC61937_32000)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testPlayIEC61937_32000, {})
-03-22 18:04:15 I/ConsoleReporter: [176/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testPlayIEC61937_32000 pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testPlayIEC61937_44100)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testPlayIEC61937_44100, {})
-03-22 18:04:15 I/ConsoleReporter: [177/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testPlayIEC61937_44100 pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testPlayIEC61937_48000)
-03-22 18:04:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testPlayIEC61937_48000, {})
-03-22 18:04:15 I/ConsoleReporter: [178/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testPlayIEC61937_48000 pass
-03-22 18:04:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testPlaySineSweepBytes)
-03-22 18:04:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testPlaySineSweepBytes, {})
-03-22 18:04:22 I/ConsoleReporter: [179/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testPlaySineSweepBytes pass
-03-22 18:04:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testPlaySineSweepBytes48000)
-03-22 18:04:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testPlaySineSweepBytes48000, {})
-03-22 18:04:27 I/ConsoleReporter: [180/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testPlaySineSweepBytes48000 pass
-03-22 18:04:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testPlaySineSweepBytesMono)
-03-22 18:04:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testPlaySineSweepBytesMono, {})
-03-22 18:04:32 I/ConsoleReporter: [181/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testPlaySineSweepBytesMono pass
-03-22 18:04:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testPlaySineSweepShorts)
-03-22 18:04:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testPlaySineSweepShorts, {})
-03-22 18:04:38 I/ConsoleReporter: [182/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testPlaySineSweepShorts pass
-03-22 18:04:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackSurroundTest#testPlaySineSweepShortsMono)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackSurroundTest#testPlaySineSweepShortsMono, {})
-03-22 18:04:43 I/ConsoleReporter: [183/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackSurroundTest#testPlaySineSweepShortsMono pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testAudioTrackBufferSize)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testAudioTrackBufferSize, {})
-03-22 18:04:43 I/ConsoleReporter: [184/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testAudioTrackBufferSize pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testAudioTrackProperties)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testAudioTrackProperties, {})
-03-22 18:04:43 I/ConsoleReporter: [185/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testAudioTrackProperties pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testBuilderAttributesStream)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testBuilderAttributesStream, {})
-03-22 18:04:43 I/ConsoleReporter: [186/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testBuilderAttributesStream pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testBuilderDefault)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testBuilderDefault, {})
-03-22 18:04:43 I/ConsoleReporter: [187/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testBuilderDefault pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testBuilderFormat)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testBuilderFormat, {})
-03-22 18:04:43 I/ConsoleReporter: [188/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testBuilderFormat pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testBuilderSession)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testBuilderSession, {})
-03-22 18:04:43 I/ConsoleReporter: [189/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testBuilderSession pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testConstructorMono16MusicStatic)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testConstructorMono16MusicStatic, {})
-03-22 18:04:43 I/ConsoleReporter: [190/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testConstructorMono16MusicStatic pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testConstructorMono16MusicStream)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testConstructorMono16MusicStream, {})
-03-22 18:04:43 I/ConsoleReporter: [191/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testConstructorMono16MusicStream pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testConstructorMono8MusicStatic)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testConstructorMono8MusicStatic, {})
-03-22 18:04:43 I/ConsoleReporter: [192/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testConstructorMono8MusicStatic pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testConstructorMono8MusicStream)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testConstructorMono8MusicStream, {})
-03-22 18:04:43 I/ConsoleReporter: [193/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testConstructorMono8MusicStream pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testConstructorStereo16MusicStatic)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testConstructorStereo16MusicStatic, {})
-03-22 18:04:43 I/ConsoleReporter: [194/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testConstructorStereo16MusicStatic pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testConstructorStereo16MusicStream)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testConstructorStereo16MusicStream, {})
-03-22 18:04:43 I/ConsoleReporter: [195/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testConstructorStereo16MusicStream pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testConstructorStereo8MusicStatic)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testConstructorStereo8MusicStatic, {})
-03-22 18:04:43 I/ConsoleReporter: [196/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testConstructorStereo8MusicStatic pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testConstructorStereo8MusicStream)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testConstructorStereo8MusicStream, {})
-03-22 18:04:43 I/ConsoleReporter: [197/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testConstructorStereo8MusicStream pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testConstructorStreamType)
-03-22 18:04:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testConstructorStreamType, {})
-03-22 18:04:43 I/ConsoleReporter: [198/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testConstructorStreamType pass
-03-22 18:04:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testFastTimestamp)
-03-22 18:04:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testFastTimestamp, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioTrackTest#doTestTimestamp:2090" message="average_jitter" score_type="lower_better" score_unit="ms">

-<Value>0.011904762126505375</Value>

-</Metric>

-</Summary>})
-03-22 18:04:45 I/ConsoleReporter: [199/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testFastTimestamp pass
-03-22 18:04:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testGetMinBufferSizeTooHighSR)
-03-22 18:04:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testGetMinBufferSizeTooHighSR, {})
-03-22 18:04:45 I/ConsoleReporter: [200/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testGetMinBufferSizeTooHighSR pass
-03-22 18:04:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testGetMinBufferSizeTooLowSR)
-03-22 18:04:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testGetMinBufferSizeTooLowSR, {})
-03-22 18:04:45 I/ConsoleReporter: [201/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testGetMinBufferSizeTooLowSR pass
-03-22 18:04:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testGetTimestamp)
-03-22 18:04:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testGetTimestamp, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioTrackTest#doTestTimestamp:2090" message="average_jitter" score_type="lower_better" score_unit="ms">

-<Value>0.030234316363930702</Value>

-</Metric>

-</Summary>})
-03-22 18:04:47 I/ConsoleReporter: [202/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testGetTimestamp pass
-03-22 18:04:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testPlayChannelIndexStreamBuffer)
-03-22 18:04:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testPlayChannelIndexStreamBuffer, {})
-03-22 18:04:54 I/ConsoleReporter: [203/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testPlayChannelIndexStreamBuffer pass
-03-22 18:04:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testPlayStaticData)
-03-22 18:05:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testPlayStaticData, {})
-03-22 18:05:37 I/ConsoleReporter: [204/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testPlayStaticData pass
-03-22 18:05:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testPlayStreamByteBuffer)
-03-22 18:05:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testPlayStreamByteBuffer, {})
-03-22 18:05:44 I/ConsoleReporter: [205/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testPlayStreamByteBuffer pass
-03-22 18:05:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testPlayStreamData)
-03-22 18:07:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testPlayStreamData, {})
-03-22 18:07:30 I/ConsoleReporter: [206/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testPlayStreamData pass
-03-22 18:07:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterFlush)
-03-22 18:07:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterFlush, {})
-03-22 18:07:31 I/ConsoleReporter: [207/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterFlush pass
-03-22 18:07:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterFlushAndPlay)
-03-22 18:07:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterFlushAndPlay, {})
-03-22 18:07:31 I/ConsoleReporter: [208/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterFlushAndPlay pass
-03-22 18:07:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterInit)
-03-22 18:07:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterInit, {})
-03-22 18:07:31 I/ConsoleReporter: [209/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterInit pass
-03-22 18:07:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterPause)
-03-22 18:07:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterPause, {})
-03-22 18:07:31 I/ConsoleReporter: [210/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterPause pass
-03-22 18:07:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterStop)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterStop, {})
-03-22 18:07:32 I/ConsoleReporter: [211/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testPlaybackHeadPositionAfterStop pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testPlaybackHeadPositionIncrease)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testPlaybackHeadPositionIncrease, {})
-03-22 18:07:32 I/ConsoleReporter: [212/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testPlaybackHeadPositionIncrease pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testReloadStaticData)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testReloadStaticData, {})
-03-22 18:07:32 I/ConsoleReporter: [213/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testReloadStaticData pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetGetPlaybackRate)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetGetPlaybackRate, {})
-03-22 18:07:32 I/ConsoleReporter: [214/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetGetPlaybackRate pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetLoopPointsEndTooFar)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetLoopPointsEndTooFar, {})
-03-22 18:07:32 I/ConsoleReporter: [215/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetLoopPointsEndTooFar pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetLoopPointsLoopTooLong)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetLoopPointsLoopTooLong, {})
-03-22 18:07:32 I/ConsoleReporter: [216/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetLoopPointsLoopTooLong pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetLoopPointsStartAfterEnd)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetLoopPointsStartAfterEnd, {})
-03-22 18:07:32 I/ConsoleReporter: [217/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetLoopPointsStartAfterEnd pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetLoopPointsStartTooFar)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetLoopPointsStartTooFar, {})
-03-22 18:07:32 I/ConsoleReporter: [218/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetLoopPointsStartTooFar pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetLoopPointsStream)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetLoopPointsStream, {})
-03-22 18:07:32 I/ConsoleReporter: [219/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetLoopPointsStream pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetLoopPointsSuccess)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetLoopPointsSuccess, {})
-03-22 18:07:32 I/ConsoleReporter: [220/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetLoopPointsSuccess pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionPaused)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionPaused, {})
-03-22 18:07:32 I/ConsoleReporter: [221/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionPaused pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionPlaying)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionPlaying, {})
-03-22 18:07:32 I/ConsoleReporter: [222/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionPlaying pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionStopped)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionStopped, {})
-03-22 18:07:32 I/ConsoleReporter: [223/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionStopped pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionTooFar)
-03-22 18:07:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionTooFar, {})
-03-22 18:07:32 I/ConsoleReporter: [224/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetPlaybackHeadPositionTooFar pass
-03-22 18:07:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetPlaybackRate)
-03-22 18:07:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetPlaybackRate, {})
-03-22 18:07:33 I/ConsoleReporter: [225/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetPlaybackRate pass
-03-22 18:07:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetPlaybackRateTwiceOutputSR)
-03-22 18:07:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetPlaybackRateTwiceOutputSR, {})
-03-22 18:07:33 I/ConsoleReporter: [226/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetPlaybackRateTwiceOutputSR pass
-03-22 18:07:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetPlaybackRateUninit)
-03-22 18:07:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetPlaybackRateUninit, {})
-03-22 18:07:33 I/ConsoleReporter: [227/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetPlaybackRateUninit pass
-03-22 18:07:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetPlaybackRateZero)
-03-22 18:07:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetPlaybackRateZero, {})
-03-22 18:07:33 I/ConsoleReporter: [228/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetPlaybackRateZero pass
-03-22 18:07:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetStereoVolumeMax)
-03-22 18:07:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetStereoVolumeMax, {})
-03-22 18:07:33 I/ConsoleReporter: [229/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetStereoVolumeMax pass
-03-22 18:07:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetStereoVolumeMid)
-03-22 18:07:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetStereoVolumeMid, {})
-03-22 18:07:33 I/ConsoleReporter: [230/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetStereoVolumeMid pass
-03-22 18:07:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetStereoVolumeMin)
-03-22 18:07:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetStereoVolumeMin, {})
-03-22 18:07:33 I/ConsoleReporter: [231/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetStereoVolumeMin pass
-03-22 18:07:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetVolumeMax)
-03-22 18:07:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetVolumeMax, {})
-03-22 18:07:33 I/ConsoleReporter: [232/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetVolumeMax pass
-03-22 18:07:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetVolumeMid)
-03-22 18:07:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetVolumeMid, {})
-03-22 18:07:33 I/ConsoleReporter: [233/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetVolumeMid pass
-03-22 18:07:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testSetVolumeMin)
-03-22 18:07:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testSetVolumeMin, {})
-03-22 18:07:33 I/ConsoleReporter: [234/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testSetVolumeMin pass
-03-22 18:07:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testVariableRatePlayback)
-03-22 18:07:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testVariableRatePlayback, {})
-03-22 18:07:35 I/ConsoleReporter: [235/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testVariableRatePlayback pass
-03-22 18:07:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testVariableSpeedPlayback)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testVariableSpeedPlayback, {})
-03-22 18:07:43 I/ConsoleReporter: [236/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testVariableSpeedPlayback pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteByte)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteByte, {})
-03-22 18:07:43 I/ConsoleReporter: [237/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteByte pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteByte8bit)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteByte8bit, {})
-03-22 18:07:43 I/ConsoleReporter: [238/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteByte8bit pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteByteNegativeOffset)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteByteNegativeOffset, {})
-03-22 18:07:43 I/ConsoleReporter: [239/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteByteNegativeOffset pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteByteNegativeSize)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteByteNegativeSize, {})
-03-22 18:07:43 I/ConsoleReporter: [240/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteByteNegativeSize pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteByteOffsetTooBig)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteByteOffsetTooBig, {})
-03-22 18:07:43 I/ConsoleReporter: [241/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteByteOffsetTooBig pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteByteSizeTooBig)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteByteSizeTooBig, {})
-03-22 18:07:43 I/ConsoleReporter: [242/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteByteSizeTooBig pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteShort)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteShort, {})
-03-22 18:07:43 I/ConsoleReporter: [243/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteShort pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteShort8bit)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteShort8bit, {})
-03-22 18:07:43 I/ConsoleReporter: [244/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteShort8bit pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteShortNegativeOffset)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteShortNegativeOffset, {})
-03-22 18:07:43 I/ConsoleReporter: [245/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteShortNegativeOffset pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteShortNegativeSize)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteShortNegativeSize, {})
-03-22 18:07:43 I/ConsoleReporter: [246/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteShortNegativeSize pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteShortOffsetTooBig)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteShortOffsetTooBig, {})
-03-22 18:07:43 I/ConsoleReporter: [247/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteShortOffsetTooBig pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrackTest#testWriteShortSizeTooBig)
-03-22 18:07:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrackTest#testWriteShortSizeTooBig, {})
-03-22 18:07:43 I/ConsoleReporter: [248/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrackTest#testWriteShortSizeTooBig pass
-03-22 18:07:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrack_ListenerTest#testAudioTrackCallback)
-03-22 18:07:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrack_ListenerTest#testAudioTrackCallback, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioTrack_ListenerTest#doTest:223" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-<Value>10.846560846560848</Value>

-</Metric>

-</Summary>})
-03-22 18:07:46 I/ConsoleReporter: [249/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrack_ListenerTest#testAudioTrackCallback pass
-03-22 18:07:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrack_ListenerTest#testAudioTrackCallbackWithHandler)
-03-22 18:07:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrack_ListenerTest#testAudioTrackCallbackWithHandler, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioTrack_ListenerTest#doTest:223" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-<Value>8.021298498949683</Value>

-</Metric>

-</Summary>})
-03-22 18:07:48 I/ConsoleReporter: [250/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrack_ListenerTest#testAudioTrackCallbackWithHandler pass
-03-22 18:07:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrack_ListenerTest#testStaticAudioTrackCallback)
-03-22 18:07:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrack_ListenerTest#testStaticAudioTrackCallback, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioTrack_ListenerTest#doTest:223" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-<Value>7.874114881126275</Value>

-</Metric>

-</Summary>})
-03-22 18:07:51 I/ConsoleReporter: [251/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrack_ListenerTest#testStaticAudioTrackCallback pass
-03-22 18:07:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.AudioTrack_ListenerTest#testStaticAudioTrackCallbackWithHandler)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.AudioTrack_ListenerTest#testStaticAudioTrackCallbackWithHandler, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.AudioTrack_ListenerTest#doTest:223" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-<Value>11.348261526832957</Value>

-</Metric>

-</Summary>})
-03-22 18:07:54 I/ConsoleReporter: [252/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.AudioTrack_ListenerTest#testStaticAudioTrackCallbackWithHandler pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.BassBoostTest#test0_0ConstructorAndRelease)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.BassBoostTest#test0_0ConstructorAndRelease, {})
-03-22 18:07:54 I/ConsoleReporter: [253/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.BassBoostTest#test0_0ConstructorAndRelease pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.BassBoostTest#test1_0Strength)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.BassBoostTest#test1_0Strength, {})
-03-22 18:07:54 I/ConsoleReporter: [254/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.BassBoostTest#test1_0Strength pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.BassBoostTest#test1_1Properties)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.BassBoostTest#test1_1Properties, {})
-03-22 18:07:54 I/ConsoleReporter: [255/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.BassBoostTest#test1_1Properties pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.BassBoostTest#test1_2SetStrengthAfterRelease)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.BassBoostTest#test1_2SetStrengthAfterRelease, {})
-03-22 18:07:54 I/ConsoleReporter: [256/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.BassBoostTest#test1_2SetStrengthAfterRelease pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.BassBoostTest#test2_0SetEnabledGetEnabled)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.BassBoostTest#test2_0SetEnabledGetEnabled, {})
-03-22 18:07:54 I/ConsoleReporter: [257/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.BassBoostTest#test2_0SetEnabledGetEnabled pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.BassBoostTest#test2_1SetEnabledAfterRelease)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.BassBoostTest#test2_1SetEnabledAfterRelease, {})
-03-22 18:07:54 I/ConsoleReporter: [258/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.BassBoostTest#test2_1SetEnabledAfterRelease pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.BassBoostTest#test3_0ControlStatusListener)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.BassBoostTest#test3_0ControlStatusListener, {})
-03-22 18:07:54 I/ConsoleReporter: [259/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.BassBoostTest#test3_0ControlStatusListener pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.BassBoostTest#test3_1EnableStatusListener)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.BassBoostTest#test3_1EnableStatusListener, {})
-03-22 18:07:54 I/ConsoleReporter: [260/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.BassBoostTest#test3_1EnableStatusListener pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.BassBoostTest#test3_2ParameterChangedListener)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.BassBoostTest#test3_2ParameterChangedListener, {})
-03-22 18:07:54 I/ConsoleReporter: [261/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.BassBoostTest#test3_2ParameterChangedListener pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.CamcorderProfileTest#testGet)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.CamcorderProfileTest#testGet, {})
-03-22 18:07:54 I/ConsoleReporter: [262/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.CamcorderProfileTest#testGet pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.CamcorderProfileTest#testGetWithId)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.CamcorderProfileTest#testGetWithId, {})
-03-22 18:07:54 I/ConsoleReporter: [263/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.CamcorderProfileTest#testGetWithId pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.CameraProfileTest#testGetImageEncodingQualityParameter)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.CameraProfileTest#testGetImageEncodingQualityParameter, {})
-03-22 18:07:54 I/ConsoleReporter: [264/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.CameraProfileTest#testGetImageEncodingQualityParameter pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.CameraProfileTest#testGetWithId)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.CameraProfileTest#testGetWithId, {})
-03-22 18:07:54 I/ConsoleReporter: [265/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.CameraProfileTest#testGetWithId pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ClearKeySystemTest#testClearKeyPlaybackCenc)
-03-22 18:07:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ClearKeySystemTest#testClearKeyPlaybackCenc, {})
-03-22 18:07:54 I/ConsoleReporter: [266/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ClearKeySystemTest#testClearKeyPlaybackCenc pass
-03-22 18:07:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ClearKeySystemTest#testClearKeyPlaybackWebm)
-03-22 18:08:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ClearKeySystemTest#testClearKeyPlaybackWebm, {})
-03-22 18:08:24 I/ConsoleReporter: [267/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ClearKeySystemTest#testClearKeyPlaybackWebm pass
-03-22 18:08:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testH264GLViewCroppedVideoDecode)
-03-22 18:08:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testH264GLViewCroppedVideoDecode, {})
-03-22 18:08:26 I/ConsoleReporter: [268/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testH264GLViewCroppedVideoDecode pass
-03-22 18:08:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testH264GLViewLargerHeightVideoDecode)
-03-22 18:08:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testH264GLViewLargerHeightVideoDecode, {})
-03-22 18:08:27 I/ConsoleReporter: [269/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testH264GLViewLargerHeightVideoDecode pass
-03-22 18:08:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testH264GLViewLargerWidthVideoDecode)
-03-22 18:08:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testH264GLViewLargerWidthVideoDecode, {})
-03-22 18:08:28 I/ConsoleReporter: [270/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testH264GLViewLargerWidthVideoDecode pass
-03-22 18:08:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testH264GLViewVideoDecode)
-03-22 18:08:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testH264GLViewVideoDecode, {})
-03-22 18:08:30 I/ConsoleReporter: [271/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testH264GLViewVideoDecode pass
-03-22 18:08:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testH264SurfaceViewCroppedVideoDecode)
-03-22 18:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testH264SurfaceViewCroppedVideoDecode, {})
-03-22 18:08:31 I/ConsoleReporter: [272/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testH264SurfaceViewCroppedVideoDecode pass
-03-22 18:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testH264SurfaceViewLargerHeightVideoDecode)
-03-22 18:08:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testH264SurfaceViewLargerHeightVideoDecode, {})
-03-22 18:08:32 I/ConsoleReporter: [273/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testH264SurfaceViewLargerHeightVideoDecode pass
-03-22 18:08:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testH264SurfaceViewLargerWidthVideoDecode)
-03-22 18:08:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testH264SurfaceViewLargerWidthVideoDecode, {})
-03-22 18:08:34 I/ConsoleReporter: [274/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testH264SurfaceViewLargerWidthVideoDecode pass
-03-22 18:08:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testH264SurfaceViewVideoDecode)
-03-22 18:08:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testH264SurfaceViewVideoDecode, {})
-03-22 18:08:35 I/ConsoleReporter: [275/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testH264SurfaceViewVideoDecode pass
-03-22 18:08:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testVP9GLViewLargerHeightVideoDecode)
-03-22 18:08:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testVP9GLViewLargerHeightVideoDecode, {})
-03-22 18:08:37 I/ConsoleReporter: [276/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testVP9GLViewLargerHeightVideoDecode pass
-03-22 18:08:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testVP9GLViewLargerWidthVideoDecode)
-03-22 18:08:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testVP9GLViewLargerWidthVideoDecode, {})
-03-22 18:08:38 I/ConsoleReporter: [277/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testVP9GLViewLargerWidthVideoDecode pass
-03-22 18:08:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testVP9GLViewVideoDecode)
-03-22 18:08:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testVP9GLViewVideoDecode, {})
-03-22 18:08:39 I/ConsoleReporter: [278/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testVP9GLViewVideoDecode pass
-03-22 18:08:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testVP9SurfaceViewLargerHeightVideoDecode)
-03-22 18:08:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testVP9SurfaceViewLargerHeightVideoDecode, {})
-03-22 18:08:40 I/ConsoleReporter: [279/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testVP9SurfaceViewLargerHeightVideoDecode pass
-03-22 18:08:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testVP9SurfaceViewLargerWidthVideoDecode)
-03-22 18:08:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testVP9SurfaceViewLargerWidthVideoDecode, {})
-03-22 18:08:42 I/ConsoleReporter: [280/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testVP9SurfaceViewLargerWidthVideoDecode pass
-03-22 18:08:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeAccuracyTest#testVP9SurfaceViewVideoDecode)
-03-22 18:08:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeAccuracyTest#testVP9SurfaceViewVideoDecode, {})
-03-22 18:08:43 I/ConsoleReporter: [281/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeAccuracyTest#testVP9SurfaceViewVideoDecode pass
-03-22 18:08:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeEditEncodeTest#testVideoEdit720p)
-03-22 18:08:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeEditEncodeTest#testVideoEdit720p, {})
-03-22 18:08:46 I/ConsoleReporter: [282/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeEditEncodeTest#testVideoEdit720p pass
-03-22 18:08:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeEditEncodeTest#testVideoEditQCIF)
-03-22 18:08:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeEditEncodeTest#testVideoEditQCIF, {})
-03-22 18:08:48 I/ConsoleReporter: [283/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeEditEncodeTest#testVideoEditQCIF pass
-03-22 18:08:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecodeEditEncodeTest#testVideoEditQVGA)
-03-22 18:08:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecodeEditEncodeTest#testVideoEditQVGA, {})
-03-22 18:08:50 I/ConsoleReporter: [284/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecodeEditEncodeTest#testVideoEditQVGA pass
-03-22 18:08:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderConformanceTest#testVP9Goog)
-03-22 18:09:06 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderConformanceTest#testVP9Goog, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>})
-03-22 18:09:06 I/ConsoleReporter: [285/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderConformanceTest#testVP9Goog pass
-03-22 18:09:06 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderConformanceTest#testVP9Other)
-03-22 18:09:06 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderConformanceTest#testVP9Other, {})
-03-22 18:09:06 I/ConsoleReporter: [286/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderConformanceTest#testVP9Other pass
-03-22 18:09:06 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testBFrames)
-03-22 18:09:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testBFrames, {})
-03-22 18:09:17 I/ConsoleReporter: [287/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testBFrames pass
-03-22 18:09:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testBug11696552)
-03-22 18:09:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testBug11696552, {})
-03-22 18:09:17 I/ConsoleReporter: [288/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testBug11696552 pass
-03-22 18:09:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecBasicH263)
-03-22 18:09:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecBasicH263, {})
-03-22 18:09:19 I/ConsoleReporter: [289/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecBasicH263 pass
-03-22 18:09:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecBasicH264)
-03-22 18:09:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecBasicH264, {})
-03-22 18:09:24 I/ConsoleReporter: [290/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecBasicH264 pass
-03-22 18:09:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecBasicHEVC)
-03-22 18:09:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecBasicHEVC, {})
-03-22 18:09:30 I/ConsoleReporter: [291/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecBasicHEVC pass
-03-22 18:09:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecBasicMpeg4)
-03-22 18:09:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecBasicMpeg4, {})
-03-22 18:09:30 I/ConsoleReporter: [292/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecBasicMpeg4 pass
-03-22 18:09:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecBasicVP8)
-03-22 18:09:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecBasicVP8, {})
-03-22 18:09:35 I/ConsoleReporter: [293/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecBasicVP8 pass
-03-22 18:09:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecBasicVP9)
-03-22 18:09:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecBasicVP9, {})
-03-22 18:09:40 I/ConsoleReporter: [294/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecBasicVP9 pass
-03-22 18:09:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecEarlyEOSH263)
-03-22 18:09:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecEarlyEOSH263, {})
-03-22 18:09:41 I/ConsoleReporter: [295/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecEarlyEOSH263 pass
-03-22 18:09:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecEarlyEOSH264)
-03-22 18:09:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecEarlyEOSH264, {})
-03-22 18:09:43 I/ConsoleReporter: [296/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecEarlyEOSH264 pass
-03-22 18:09:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecEarlyEOSHEVC)
-03-22 18:09:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecEarlyEOSHEVC, {})
-03-22 18:09:46 I/ConsoleReporter: [297/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecEarlyEOSHEVC pass
-03-22 18:09:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecEarlyEOSMpeg4)
-03-22 18:09:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecEarlyEOSMpeg4, {})
-03-22 18:09:46 I/ConsoleReporter: [298/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecEarlyEOSMpeg4 pass
-03-22 18:09:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecEarlyEOSVP8)
-03-22 18:09:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecEarlyEOSVP8, {})
-03-22 18:09:48 I/ConsoleReporter: [299/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecEarlyEOSVP8 pass
-03-22 18:09:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecEarlyEOSVP9)
-03-22 18:09:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecEarlyEOSVP9, {})
-03-22 18:09:51 I/ConsoleReporter: [300/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecEarlyEOSVP9 pass
-03-22 18:09:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsH263WithSurface)
-03-22 18:09:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsH263WithSurface, {})
-03-22 18:09:57 I/ConsoleReporter: [301/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsH263WithSurface pass
-03-22 18:09:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsH263WithoutSurface)
-03-22 18:09:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsH263WithoutSurface, {})
-03-22 18:09:58 I/ConsoleReporter: [302/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsH263WithoutSurface pass
-03-22 18:09:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsH264WithSurface)
-03-22 18:10:10 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsH264WithSurface, {})
-03-22 18:10:10 I/ConsoleReporter: [303/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsH264WithSurface pass
-03-22 18:10:10 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsH264WithoutSurface)
-03-22 18:10:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsH264WithoutSurface, {})
-03-22 18:10:11 I/ConsoleReporter: [304/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsH264WithoutSurface pass
-03-22 18:10:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsHEVCWithSurface)
-03-22 18:10:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsHEVCWithSurface, {})
-03-22 18:10:27 I/ConsoleReporter: [305/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsHEVCWithSurface pass
-03-22 18:10:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsHEVCWithoutSurface)
-03-22 18:10:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsHEVCWithoutSurface, {})
-03-22 18:10:30 I/ConsoleReporter: [306/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsHEVCWithoutSurface pass
-03-22 18:10:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsM4a)
-03-22 18:10:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsM4a, {})
-03-22 18:10:31 I/ConsoleReporter: [307/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsM4a pass
-03-22 18:10:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsMp3)
-03-22 18:10:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsMp3, {})
-03-22 18:10:31 I/ConsoleReporter: [308/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsMp3 pass
-03-22 18:10:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsMpeg4WithSurface)
-03-22 18:10:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsMpeg4WithSurface, {})
-03-22 18:10:31 I/ConsoleReporter: [309/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsMpeg4WithSurface pass
-03-22 18:10:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsMpeg4WithoutSurface)
-03-22 18:10:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsMpeg4WithoutSurface, {})
-03-22 18:10:32 I/ConsoleReporter: [310/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsMpeg4WithoutSurface pass
-03-22 18:10:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsVP8WithSurface)
-03-22 18:10:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsVP8WithSurface, {})
-03-22 18:10:44 I/ConsoleReporter: [311/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsVP8WithSurface pass
-03-22 18:10:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsVP8WithoutSurface)
-03-22 18:10:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsVP8WithoutSurface, {})
-03-22 18:10:45 I/ConsoleReporter: [312/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsVP8WithoutSurface pass
-03-22 18:10:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsVP9WithSurface)
-03-22 18:10:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsVP9WithSurface, {})
-03-22 18:10:58 I/ConsoleReporter: [313/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsVP9WithSurface pass
-03-22 18:10:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testCodecResetsVP9WithoutSurface)
-03-22 18:10:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testCodecResetsVP9WithoutSurface, {})
-03-22 18:10:59 I/ConsoleReporter: [314/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testCodecResetsVP9WithoutSurface pass
-03-22 18:10:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecode51M4a)
-03-22 18:10:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecode51M4a, {})
-03-22 18:10:59 I/ConsoleReporter: [315/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecode51M4a pass
-03-22 18:10:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeAacEldM4a)
-03-22 18:11:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeAacEldM4a, {})
-03-22 18:11:02 I/ConsoleReporter: [316/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeAacEldM4a pass
-03-22 18:11:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeAacLcM4a)
-03-22 18:11:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeAacLcM4a, {})
-03-22 18:11:05 I/ConsoleReporter: [317/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeAacLcM4a pass
-03-22 18:11:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeAacLcMcM4a)
-03-22 18:11:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeAacLcMcM4a, {})
-03-22 18:11:07 I/ConsoleReporter: [318/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeAacLcMcM4a pass
-03-22 18:11:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeAacTs)
-03-22 18:11:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeAacTs, {})
-03-22 18:11:08 I/ConsoleReporter: [319/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeAacTs pass
-03-22 18:11:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeFlac)
-03-22 18:11:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeFlac, {})
-03-22 18:11:09 I/ConsoleReporter: [320/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeFlac pass
-03-22 18:11:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeFragmented)
-03-22 18:11:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeFragmented, {})
-03-22 18:11:09 I/ConsoleReporter: [321/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeFragmented pass
-03-22 18:11:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeHeAacM4a)
-03-22 18:11:10 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeHeAacM4a, {})
-03-22 18:11:10 I/ConsoleReporter: [322/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeHeAacM4a pass
-03-22 18:11:10 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeHeAacMcM4a)
-03-22 18:11:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeHeAacMcM4a, {})
-03-22 18:11:12 I/ConsoleReporter: [323/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeHeAacMcM4a pass
-03-22 18:11:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeHeAacV2M4a)
-03-22 18:11:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeHeAacV2M4a, {})
-03-22 18:11:12 I/ConsoleReporter: [324/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeHeAacV2M4a pass
-03-22 18:11:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeM4a)
-03-22 18:11:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeM4a, {})
-03-22 18:11:15 I/ConsoleReporter: [325/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeM4a pass
-03-22 18:11:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeMonoGsm)
-03-22 18:11:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeMonoGsm, {})
-03-22 18:11:15 I/ConsoleReporter: [326/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeMonoGsm pass
-03-22 18:11:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeMonoM4a)
-03-22 18:11:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeMonoM4a, {})
-03-22 18:11:15 I/ConsoleReporter: [327/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeMonoM4a pass
-03-22 18:11:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeMonoMp3)
-03-22 18:11:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeMonoMp3, {})
-03-22 18:11:16 I/ConsoleReporter: [328/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeMonoMp3 pass
-03-22 18:11:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeMonoOgg)
-03-22 18:11:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeMonoOgg, {})
-03-22 18:11:16 I/ConsoleReporter: [329/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeMonoOgg pass
-03-22 18:11:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeMp3Lame)
-03-22 18:11:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeMp3Lame, {})
-03-22 18:11:18 I/ConsoleReporter: [330/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeMp3Lame pass
-03-22 18:11:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeMp3Smpb)
-03-22 18:11:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeMp3Smpb, {})
-03-22 18:11:19 I/ConsoleReporter: [331/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeMp3Smpb pass
-03-22 18:11:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeOgg)
-03-22 18:11:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeOgg, {})
-03-22 18:11:21 I/ConsoleReporter: [332/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeOgg pass
-03-22 18:11:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeOpus)
-03-22 18:11:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeOpus, {})
-03-22 18:11:22 I/ConsoleReporter: [333/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeOpus pass
-03-22 18:11:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeVorbis)
-03-22 18:11:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeVorbis, {})
-03-22 18:11:22 I/ConsoleReporter: [334/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeVorbis pass
-03-22 18:11:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeWav)
-03-22 18:11:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeWav, {})
-03-22 18:11:23 I/ConsoleReporter: [335/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeWav pass
-03-22 18:11:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testDecodeWithEOSOnLastBuffer)
-03-22 18:11:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testDecodeWithEOSOnLastBuffer, {})
-03-22 18:11:26 I/ConsoleReporter: [336/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testDecodeWithEOSOnLastBuffer pass
-03-22 18:11:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testEOSBehaviorH263)
-03-22 18:11:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testEOSBehaviorH263, {})
-03-22 18:11:27 I/ConsoleReporter: [337/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testEOSBehaviorH263 pass
-03-22 18:11:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testEOSBehaviorH264)
-03-22 18:11:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testEOSBehaviorH264, {})
-03-22 18:11:28 I/ConsoleReporter: [338/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testEOSBehaviorH264 pass
-03-22 18:11:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testEOSBehaviorHEVC)
-03-22 18:11:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testEOSBehaviorHEVC, {})
-03-22 18:11:29 I/ConsoleReporter: [339/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testEOSBehaviorHEVC pass
-03-22 18:11:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testEOSBehaviorMpeg4)
-03-22 18:11:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testEOSBehaviorMpeg4, {})
-03-22 18:11:29 I/ConsoleReporter: [340/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testEOSBehaviorMpeg4 pass
-03-22 18:11:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testEOSBehaviorVP8)
-03-22 18:11:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testEOSBehaviorVP8, {})
-03-22 18:11:31 I/ConsoleReporter: [341/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testEOSBehaviorVP8 pass
-03-22 18:11:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testEOSBehaviorVP9)
-03-22 18:11:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testEOSBehaviorVP9, {})
-03-22 18:11:32 I/ConsoleReporter: [342/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testEOSBehaviorVP9 pass
-03-22 18:11:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testFlush)
-03-22 18:11:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testFlush, {})
-03-22 18:11:32 I/ConsoleReporter: [343/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testFlush pass
-03-22 18:11:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264ColorAspects)
-03-22 18:11:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264ColorAspects, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.DecoderTest#testColorAspects:491" message="result" score_type="higher_better" score_unit="count">

-<Value>1.0</Value>

-</Metric>

-</Summary>})
-03-22 18:11:34 I/ConsoleReporter: [344/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264ColorAspects pass
-03-22 18:11:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264Decode30fps1280x720)
-03-22 18:11:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264Decode30fps1280x720, {})
-03-22 18:11:40 I/ConsoleReporter: [345/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264Decode30fps1280x720 pass
-03-22 18:11:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264Decode30fps1280x720Tv)
-03-22 18:11:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264Decode30fps1280x720Tv, {})
-03-22 18:11:40 I/ConsoleReporter: [346/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264Decode30fps1280x720Tv pass
-03-22 18:11:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264Decode30fps1920x1080)
-03-22 18:11:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264Decode30fps1920x1080, {})
-03-22 18:11:43 I/ConsoleReporter: [347/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264Decode30fps1920x1080 pass
-03-22 18:11:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264Decode30fps1920x1080Tv)
-03-22 18:11:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264Decode30fps1920x1080Tv, {})
-03-22 18:11:43 I/ConsoleReporter: [348/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264Decode30fps1920x1080Tv pass
-03-22 18:11:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264Decode320x240)
-03-22 18:11:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264Decode320x240, {})
-03-22 18:11:49 I/ConsoleReporter: [349/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264Decode320x240 pass
-03-22 18:11:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264Decode60fps1280x720)
-03-22 18:12:00 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264Decode60fps1280x720, {})
-03-22 18:12:00 I/ConsoleReporter: [350/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264Decode60fps1280x720 pass
-03-22 18:12:00 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264Decode60fps1280x720Tv)
-03-22 18:12:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264Decode60fps1280x720Tv, {})
-03-22 18:12:01 I/ConsoleReporter: [351/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264Decode60fps1280x720Tv pass
-03-22 18:12:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264Decode60fps1920x1080)
-03-22 18:12:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264Decode60fps1920x1080, {})
-03-22 18:12:07 I/ConsoleReporter: [352/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264Decode60fps1920x1080 pass
-03-22 18:12:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264Decode60fps1920x1080Tv)
-03-22 18:12:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264Decode60fps1920x1080Tv, {})
-03-22 18:12:07 I/ConsoleReporter: [353/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264Decode60fps1920x1080Tv pass
-03-22 18:12:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264Decode720x480)
-03-22 18:12:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264Decode720x480, {})
-03-22 18:12:13 I/ConsoleReporter: [354/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264Decode720x480 pass
-03-22 18:12:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264SecureDecode30fps1280x720Tv)
-03-22 18:12:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264SecureDecode30fps1280x720Tv, {})
-03-22 18:12:14 I/ConsoleReporter: [355/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264SecureDecode30fps1280x720Tv pass
-03-22 18:12:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264SecureDecode30fps1920x1080Tv)
-03-22 18:12:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264SecureDecode30fps1920x1080Tv, {})
-03-22 18:12:14 I/ConsoleReporter: [356/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264SecureDecode30fps1920x1080Tv pass
-03-22 18:12:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264SecureDecode60fps1280x720Tv)
-03-22 18:12:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264SecureDecode60fps1280x720Tv, {})
-03-22 18:12:14 I/ConsoleReporter: [357/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264SecureDecode60fps1280x720Tv pass
-03-22 18:12:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH264SecureDecode60fps1920x1080Tv)
-03-22 18:12:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH264SecureDecode60fps1920x1080Tv, {})
-03-22 18:12:14 I/ConsoleReporter: [358/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH264SecureDecode60fps1920x1080Tv pass
-03-22 18:12:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testH265ColorAspects)
-03-22 18:12:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testH265ColorAspects, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.DecoderTest#testColorAspects:491" message="result" score_type="higher_better" score_unit="count">

-<Value>1.0</Value>

-</Metric>

-</Summary>})
-03-22 18:12:16 I/ConsoleReporter: [359/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testH265ColorAspects pass
-03-22 18:12:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testHEVCDecode30fps1280x720)
-03-22 18:12:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testHEVCDecode30fps1280x720, {})
-03-22 18:12:23 I/ConsoleReporter: [360/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testHEVCDecode30fps1280x720 pass
-03-22 18:12:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testHEVCDecode30fps1280x720Tv)
-03-22 18:12:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testHEVCDecode30fps1280x720Tv, {})
-03-22 18:12:24 I/ConsoleReporter: [361/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testHEVCDecode30fps1280x720Tv pass
-03-22 18:12:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testHEVCDecode30fps1920x1080Tv)
-03-22 18:12:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testHEVCDecode30fps1920x1080Tv, {})
-03-22 18:12:24 I/ConsoleReporter: [362/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testHEVCDecode30fps1920x1080Tv pass
-03-22 18:12:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testHEVCDecode30fps3840x2160)
-03-22 18:12:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testHEVCDecode30fps3840x2160, {})
-03-22 18:12:24 I/ConsoleReporter: [363/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testHEVCDecode30fps3840x2160 pass
-03-22 18:12:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testHEVCDecode352x288)
-03-22 18:12:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testHEVCDecode352x288, {})
-03-22 18:12:30 I/ConsoleReporter: [364/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testHEVCDecode352x288 pass
-03-22 18:12:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testHEVCDecode60fps1920x1080)
-03-22 18:12:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testHEVCDecode60fps1920x1080, {})
-03-22 18:12:38 I/ConsoleReporter: [365/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testHEVCDecode60fps1920x1080 pass
-03-22 18:12:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testHEVCDecode60fps3840x2160)
-03-22 18:12:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testHEVCDecode60fps3840x2160, {})
-03-22 18:12:39 I/ConsoleReporter: [366/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testHEVCDecode60fps3840x2160 pass
-03-22 18:12:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testHEVCDecode720x480)
-03-22 18:12:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testHEVCDecode720x480, {})
-03-22 18:12:45 I/ConsoleReporter: [367/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testHEVCDecode720x480 pass
-03-22 18:12:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testMPEG2ColorAspectsTV)
-03-22 18:12:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testMPEG2ColorAspectsTV, {})
-03-22 18:12:45 I/ConsoleReporter: [368/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testMPEG2ColorAspectsTV pass
-03-22 18:12:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testTrackSelection)
-03-22 18:12:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testTrackSelection, {})
-03-22 18:12:47 I/ConsoleReporter: [369/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testTrackSelection pass
-03-22 18:12:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testTunneledVideoFlush)
-03-22 18:12:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testTunneledVideoFlush, {})
-03-22 18:12:47 I/ConsoleReporter: [370/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testTunneledVideoFlush pass
-03-22 18:12:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testTunneledVideoPlayback)
-03-22 18:12:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testTunneledVideoPlayback, {})
-03-22 18:12:47 I/ConsoleReporter: [371/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testTunneledVideoPlayback pass
-03-22 18:12:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP8Decode30fps1280x720)
-03-22 18:12:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP8Decode30fps1280x720, {})
-03-22 18:12:53 I/ConsoleReporter: [372/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP8Decode30fps1280x720 pass
-03-22 18:12:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP8Decode30fps1280x720Tv)
-03-22 18:12:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP8Decode30fps1280x720Tv, {})
-03-22 18:12:53 I/ConsoleReporter: [373/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP8Decode30fps1280x720Tv pass
-03-22 18:12:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP8Decode30fps1920x1080)
-03-22 18:12:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP8Decode30fps1920x1080, {})
-03-22 18:12:57 I/ConsoleReporter: [374/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP8Decode30fps1920x1080 pass
-03-22 18:12:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP8Decode30fps1920x1080Tv)
-03-22 18:12:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP8Decode30fps1920x1080Tv, {})
-03-22 18:12:57 I/ConsoleReporter: [375/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP8Decode30fps1920x1080Tv pass
-03-22 18:12:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP8Decode320x180)
-03-22 18:13:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP8Decode320x180, {})
-03-22 18:13:03 I/ConsoleReporter: [376/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP8Decode320x180 pass
-03-22 18:13:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP8Decode60fps1280x720)
-03-22 18:13:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP8Decode60fps1280x720, {})
-03-22 18:13:14 I/ConsoleReporter: [377/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP8Decode60fps1280x720 pass
-03-22 18:13:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP8Decode60fps1280x720Tv)
-03-22 18:13:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP8Decode60fps1280x720Tv, {})
-03-22 18:13:14 I/ConsoleReporter: [378/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP8Decode60fps1280x720Tv pass
-03-22 18:13:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP8Decode60fps1920x1080)
-03-22 18:13:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP8Decode60fps1920x1080, {})
-03-22 18:13:20 I/ConsoleReporter: [379/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP8Decode60fps1920x1080 pass
-03-22 18:13:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP8Decode60fps1920x1080Tv)
-03-22 18:13:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP8Decode60fps1920x1080Tv, {})
-03-22 18:13:20 I/ConsoleReporter: [380/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP8Decode60fps1920x1080Tv pass
-03-22 18:13:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP8Decode640x360)
-03-22 18:13:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP8Decode640x360, {})
-03-22 18:13:26 I/ConsoleReporter: [381/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP8Decode640x360 pass
-03-22 18:13:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP9Decode30fps1280x720)
-03-22 18:13:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP9Decode30fps1280x720, {})
-03-22 18:13:33 I/ConsoleReporter: [382/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP9Decode30fps1280x720 pass
-03-22 18:13:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP9Decode30fps1280x720Tv)
-03-22 18:13:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP9Decode30fps1280x720Tv, {})
-03-22 18:13:33 I/ConsoleReporter: [383/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP9Decode30fps1280x720Tv pass
-03-22 18:13:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP9Decode30fps3840x2160)
-03-22 18:13:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP9Decode30fps3840x2160, {})
-03-22 18:13:34 I/ConsoleReporter: [384/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP9Decode30fps3840x2160 pass
-03-22 18:13:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP9Decode320x180)
-03-22 18:13:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP9Decode320x180, {})
-03-22 18:13:39 I/ConsoleReporter: [385/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP9Decode320x180 pass
-03-22 18:13:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP9Decode60fps1920x1080)
-03-22 18:13:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP9Decode60fps1920x1080, {})
-03-22 18:13:47 I/ConsoleReporter: [386/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP9Decode60fps1920x1080 pass
-03-22 18:13:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP9Decode60fps3840x2160)
-03-22 18:13:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP9Decode60fps3840x2160, {})
-03-22 18:13:48 I/ConsoleReporter: [387/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP9Decode60fps3840x2160 pass
-03-22 18:13:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVP9Decode640x360)
-03-22 18:13:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVP9Decode640x360, {})
-03-22 18:13:54 I/ConsoleReporter: [388/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVP9Decode640x360 pass
-03-22 18:13:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVrHighPerformanceH264)
-03-22 18:13:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVrHighPerformanceH264, {})
-03-22 18:13:54 I/ConsoleReporter: [389/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVrHighPerformanceH264 pass
-03-22 18:13:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVrHighPerformanceHEVC)
-03-22 18:13:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVrHighPerformanceHEVC, {})
-03-22 18:13:54 I/ConsoleReporter: [390/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVrHighPerformanceHEVC pass
-03-22 18:13:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTest#testVrHighPerformanceVP9)
-03-22 18:13:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTest#testVrHighPerformanceVP9, {})
-03-22 18:13:55 I/ConsoleReporter: [391/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTest#testVrHighPerformanceVP9 pass
-03-22 18:13:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcLevelM4a)
-03-22 18:13:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcLevelM4a, {})
-03-22 18:13:55 I/ConsoleReporter: [392/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTestAacDrc#testDecodeAacDrcLevelM4a pass
-03-22 18:13:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcHeavyM4a)
-03-22 18:13:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcHeavyM4a, {})
-03-22 18:13:55 I/ConsoleReporter: [393/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTestAacDrc#testDecodeAacDrcHeavyM4a pass
-03-22 18:13:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcFullM4a)
-03-22 18:13:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcFullM4a, {})
-03-22 18:13:55 I/ConsoleReporter: [394/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTestAacDrc#testDecodeAacDrcFullM4a pass
-03-22 18:13:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcOffM4a)
-03-22 18:13:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcOffM4a, {})
-03-22 18:13:55 I/ConsoleReporter: [395/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTestAacDrc#testDecodeAacDrcOffM4a pass
-03-22 18:13:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcHalfM4a)
-03-22 18:13:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcHalfM4a, {})
-03-22 18:13:55 I/ConsoleReporter: [396/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTestAacDrc#testDecodeAacDrcHalfM4a pass
-03-22 18:13:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcClipM4a)
-03-22 18:13:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.DecoderTestAacDrc#testDecodeAacDrcClipM4a, {})
-03-22 18:13:55 I/ConsoleReporter: [397/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.DecoderTestAacDrc#testDecodeAacDrcClipM4a pass
-03-22 18:13:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToBuffer720p)
-03-22 18:13:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToBuffer720p, {})
-03-22 18:13:56 I/ConsoleReporter: [398/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToBuffer720p pass
-03-22 18:13:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToBufferQCIF)
-03-22 18:13:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToBufferQCIF, {})
-03-22 18:13:56 I/ConsoleReporter: [399/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToBufferQCIF pass
-03-22 18:13:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToBufferQVGA)
-03-22 18:13:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToBufferQVGA, {})
-03-22 18:13:56 I/ConsoleReporter: [400/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToBufferQVGA pass
-03-22 18:13:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToSurface720p)
-03-22 18:13:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToSurface720p, {})
-03-22 18:13:56 I/ConsoleReporter: [401/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToSurface720p pass
-03-22 18:13:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToSurfaceQCIF)
-03-22 18:13:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToSurfaceQCIF, {})
-03-22 18:13:56 I/ConsoleReporter: [402/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToSurfaceQCIF pass
-03-22 18:13:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToSurfaceQVGA)
-03-22 18:13:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToSurfaceQVGA, {})
-03-22 18:13:57 I/ConsoleReporter: [403/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromBufferToSurfaceQVGA pass
-03-22 18:13:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromPersistentSurfaceToSurface720p)
-03-22 18:14:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromPersistentSurfaceToSurface720p, {})
-03-22 18:14:01 I/ConsoleReporter: [404/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromPersistentSurfaceToSurface720p pass
-03-22 18:14:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromPersistentSurfaceToSurfaceQCIF)
-03-22 18:14:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromPersistentSurfaceToSurfaceQCIF, {})
-03-22 18:14:05 I/ConsoleReporter: [405/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromPersistentSurfaceToSurfaceQCIF pass
-03-22 18:14:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromPersistentSurfaceToSurfaceQVGA)
-03-22 18:14:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromPersistentSurfaceToSurfaceQVGA, {})
-03-22 18:14:09 I/ConsoleReporter: [406/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromPersistentSurfaceToSurfaceQVGA pass
-03-22 18:14:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromSurfaceToSurface720p)
-03-22 18:14:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromSurfaceToSurface720p, {})
-03-22 18:14:11 I/ConsoleReporter: [407/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromSurfaceToSurface720p pass
-03-22 18:14:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromSurfaceToSurfaceQCIF)
-03-22 18:14:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromSurfaceToSurfaceQCIF, {})
-03-22 18:14:12 I/ConsoleReporter: [408/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromSurfaceToSurfaceQCIF pass
-03-22 18:14:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromSurfaceToSurfaceQVGA)
-03-22 18:14:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromSurfaceToSurfaceQVGA, {})
-03-22 18:14:14 I/ConsoleReporter: [409/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testEncodeDecodeVideoFromSurfaceToSurfaceQVGA pass
-03-22 18:14:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToBuffer720p)
-03-22 18:14:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToBuffer720p, {})
-03-22 18:14:14 I/ConsoleReporter: [410/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToBuffer720p pass
-03-22 18:14:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToBufferQCIF)
-03-22 18:14:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToBufferQCIF, {})
-03-22 18:14:14 I/ConsoleReporter: [411/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToBufferQCIF pass
-03-22 18:14:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToBufferQVGA)
-03-22 18:14:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToBufferQVGA, {})
-03-22 18:14:14 I/ConsoleReporter: [412/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToBufferQVGA pass
-03-22 18:14:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToSurface720p)
-03-22 18:14:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToSurface720p, {})
-03-22 18:14:15 I/ConsoleReporter: [413/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToSurface720p pass
-03-22 18:14:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToSurfaceQCIF)
-03-22 18:14:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToSurfaceQCIF, {})
-03-22 18:14:15 I/ConsoleReporter: [414/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToSurfaceQCIF pass
-03-22 18:14:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToSurfaceQVGA)
-03-22 18:14:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToSurfaceQVGA, {})
-03-22 18:14:15 I/ConsoleReporter: [415/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromBufferToSurfaceQVGA pass
-03-22 18:14:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromPersistentSurfaceToSurface720p)
-03-22 18:14:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromPersistentSurfaceToSurface720p, {})
-03-22 18:14:20 I/ConsoleReporter: [416/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromPersistentSurfaceToSurface720p pass
-03-22 18:14:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromPersistentSurfaceToSurfaceQCIF)
-03-22 18:14:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromPersistentSurfaceToSurfaceQCIF, {})
-03-22 18:14:24 I/ConsoleReporter: [417/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromPersistentSurfaceToSurfaceQCIF pass
-03-22 18:14:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromPersistentSurfaceToSurfaceQVGA)
-03-22 18:14:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromPersistentSurfaceToSurfaceQVGA, {})
-03-22 18:14:28 I/ConsoleReporter: [418/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromPersistentSurfaceToSurfaceQVGA pass
-03-22 18:14:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromSurfaceToSurface720p)
-03-22 18:14:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromSurfaceToSurface720p, {})
-03-22 18:14:29 I/ConsoleReporter: [419/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromSurfaceToSurface720p pass
-03-22 18:14:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromSurfaceToSurfaceQCIF)
-03-22 18:14:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromSurfaceToSurfaceQCIF, {})
-03-22 18:14:31 I/ConsoleReporter: [420/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromSurfaceToSurfaceQCIF pass
-03-22 18:14:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromSurfaceToSurfaceQVGA)
-03-22 18:14:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromSurfaceToSurfaceQVGA, {})
-03-22 18:14:32 I/ConsoleReporter: [421/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeDecodeTest#testVP8EncodeDecodeVideoFromSurfaceToSurfaceQVGA pass
-03-22 18:14:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeVirtualDisplayTest#testEncodeVirtualDisplay)
-03-22 18:14:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeVirtualDisplayTest#testEncodeVirtualDisplay, {})
-03-22 18:14:34 I/ConsoleReporter: [422/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeVirtualDisplayTest#testEncodeVirtualDisplay pass
-03-22 18:14:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480Locally)
-03-22 18:14:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480Locally, {})
-03-22 18:14:34 I/ConsoleReporter: [423/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480Locally pass
-03-22 18:14:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480LocallyWith3Windows)
-03-22 18:14:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480LocallyWith3Windows, {})
-03-22 18:14:34 I/ConsoleReporter: [424/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480LocallyWith3Windows pass
-03-22 18:14:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480Remotely)
-03-22 18:14:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480Remotely, {})
-03-22 18:14:34 I/ConsoleReporter: [425/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480Remotely pass
-03-22 18:14:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480RemotelyWith3Windows)
-03-22 18:14:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480RemotelyWith3Windows, {})
-03-22 18:14:35 I/ConsoleReporter: [426/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRendering800x480RemotelyWith3Windows pass
-03-22 18:14:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionLocally)
-03-22 18:14:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionLocally, {})
-03-22 18:14:35 I/ConsoleReporter: [427/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionLocally pass
-03-22 18:14:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely)
-03-22 18:14:38 D/ModuleListener: ModuleListener.testFailed(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely, junit.framework.AssertionFailedError: Color did not match

-at junit.framework.Assert.fail(Assert.java:50)

-at android.media.cts.EncodeVirtualDisplayWithCompositionTest.renderColorAndCheckResult(EncodeVirtualDisplayWithCompositionTest.java:372)

-at android.media.cts.EncodeVirtualDisplayWithCompositionTest.doTestRenderingOutput(EncodeVirtualDisplayWithCompositionTest.java:316)

-at android.media.cts.EncodeVirtualDisplayWithCompositionTest.-wrap0(EncodeVirtualDisplayWithCompositionTest.java)

-at android.media.cts.EncodeVirtualDisplayWithCompositionTest$2.run(EncodeVirtualDisplayWithCompositionTest.java:212)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-22 18:14:38 I/ConsoleReporter: [428/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely fail: junit.framework.AssertionFailedError: Color did not match

-at junit.framework.Assert.fail(Assert.java:50)

-at android.media.cts.EncodeVirtualDisplayWithCompositionTest.renderColorAndCheckResult(EncodeVirtualDisplayWithCompositionTest.java:372)

-at android.media.cts.EncodeVirtualDisplayWithCompositionTest.doTestRenderingOutput(EncodeVirtualDisplayWithCompositionTest.java:316)

-at android.media.cts.EncodeVirtualDisplayWithCompositionTest.-wrap0(EncodeVirtualDisplayWithCompositionTest.java)

-at android.media.cts.EncodeVirtualDisplayWithCompositionTest$2.run(EncodeVirtualDisplayWithCompositionTest.java:212)

-at java.lang.Thread.run(Thread.java:761)

-
-03-22 18:14:38 I/FailureListener: FailureListener.testFailed android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely false true false
-03-22 18:14:40 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44 with prefix "android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely-logcat_" suffix ".zip"
-03-22 18:14:40 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely-logcat_4248653887003891018.zip
-03-22 18:14:40 I/ResultReporter: Saved logs for android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely-logcat in /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely-logcat_4248653887003891018.zip
-03-22 18:14:40 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_2858568675927852618 with prefix "android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely-logcat_" suffix ".zip"
-03-22 18:14:40 D/RunUtil: Running command with timeout: 10000ms
-03-22 18:14:40 D/RunUtil: Running [chmod]
-03-22 18:14:40 D/RunUtil: [chmod] command failed. return code 1
-03-22 18:14:40 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely-logcat_9049815804660525071.zip to ug+rwx
-03-22 18:14:40 D/RunUtil: Running command with timeout: 10000ms
-03-22 18:14:40 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely-logcat_9049815804660525071.zip]
-03-22 18:14:40 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely-logcat_9049815804660525071.zip
-03-22 18:14:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testRenderingMaxResolutionRemotely, {})
-03-22 18:14:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles)
-03-22 18:14:40 I/InstrumentationResultParser: test run failed: 'Instrumentation run failed due to 'Process crashed.''
-03-22 18:14:40 D/ModuleListener: ModuleListener.testFailed(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles, Test failed to run to completion. Reason: 'Instrumentation run failed due to 'Process crashed.''. Check device logcat for details)
-03-22 18:14:40 I/ConsoleReporter: [429/1395 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles fail: Test failed to run to completion. Reason: 'Instrumentation run failed due to 'Process crashed.''. Check device logcat for details
-03-22 18:14:40 I/FailureListener: FailureListener.testFailed android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles false true false
-03-22 18:14:42 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44 with prefix "android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles-logcat_" suffix ".zip"
-03-22 18:14:42 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles-logcat_5253792737078571941.zip
-03-22 18:14:42 I/ResultReporter: Saved logs for android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles-logcat in /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles-logcat_5253792737078571941.zip
-03-22 18:14:42 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_2858568675927852618 with prefix "android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles-logcat_" suffix ".zip"
-03-22 18:14:42 D/RunUtil: Running command with timeout: 10000ms
-03-22 18:14:42 D/RunUtil: Running [chmod]
-03-22 18:14:42 D/RunUtil: [chmod] command failed. return code 1
-03-22 18:14:42 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles-logcat_2719649613517779136.zip to ug+rwx
-03-22 18:14:42 D/RunUtil: Running command with timeout: 10000ms
-03-22 18:14:42 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles-logcat_2719649613517779136.zip]
-03-22 18:14:42 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles-logcat_2719649613517779136.zip
-03-22 18:14:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncodeVirtualDisplayWithCompositionTest#testVirtualDisplayRecycles, {})
-03-22 18:14:42 D/ModuleListener: ModuleListener.testRunFailed(Instrumentation run failed due to 'Process crashed.')
-03-22 18:14:42 I/ConsoleReporter: [chromeos2-row8-rack1-host19:22] Instrumentation run failed due to 'Process crashed.'
-03-22 18:14:42 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-03-22 18:14:42 I/ConsoleReporter: [chromeos2-row8-rack1-host19:22] x86 CtsMediaTestCases failed in 0 ms. 426 passed, 3 failed, 966 not executed
-03-22 18:14:42 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row8-rack1-host19:22 is already ONLINE
-03-22 18:14:42 I/AndroidNativeDeviceStateMonitor: Waiting 5000 ms for device chromeos2-row8-rack1-host19:22 boot complete
-03-22 18:14:42 I/DeviceStateMonitor: Waiting 4895 ms for device chromeos2-row8-rack1-host19:22 package manager
-03-22 18:14:42 I/AndroidNativeDeviceStateMonitor: Waiting 4344 ms for device chromeos2-row8-rack1-host19:22 external store
-03-22 18:14:43 I/InstrumentationTest: Running individual tests using a test file
-03-22 18:14:43 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest587525220598727032.txt was successfully created
-03-22 18:14:43 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest587525220598727032.txt was successfully pushed to /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest587525220598727032.txt on device
-03-22 18:14:43 I/RemoteAndroidTest: Running am instrument -w -r   -e testFile /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest587525220598727032.txt -e timeout_msec 1800000 android.media.cts/android.support.test.runner.AndroidJUnitRunner on google-caroline-chromeos2-row8-rack1-host19:22
-03-22 18:14:44 D/ModuleListener: ModuleListener.testRunStarted(android.media.cts, 966)
-03-22 18:14:44 I/ConsoleReporter: [chromeos2-row8-rack1-host19:22] Continuing x86 CtsMediaTestCases with 966 tests
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test0_0ConstructorAndRelease)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test0_0ConstructorAndRelease, {})
-03-22 18:14:44 I/ConsoleReporter: [1/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test0_0ConstructorAndRelease pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test1_0Room)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test1_0Room, {})
-03-22 18:14:44 I/ConsoleReporter: [2/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test1_0Room pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test1_1Decay)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test1_1Decay, {})
-03-22 18:14:44 I/ConsoleReporter: [3/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test1_1Decay pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test1_2Reverb)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test1_2Reverb, {})
-03-22 18:14:44 I/ConsoleReporter: [4/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test1_2Reverb pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test1_3Reflections)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test1_3Reflections, {})
-03-22 18:14:44 I/ConsoleReporter: [5/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test1_3Reflections pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test1_4DiffusionAndDensity)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test1_4DiffusionAndDensity, {})
-03-22 18:14:44 I/ConsoleReporter: [6/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test1_4DiffusionAndDensity pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test1_5Properties)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test1_5Properties, {})
-03-22 18:14:44 I/ConsoleReporter: [7/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test1_5Properties pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test2_0SetEnabledGetEnabled)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test2_0SetEnabledGetEnabled, {})
-03-22 18:14:44 I/ConsoleReporter: [8/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test2_0SetEnabledGetEnabled pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test2_1SetEnabledAfterRelease)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test2_1SetEnabledAfterRelease, {})
-03-22 18:14:44 I/ConsoleReporter: [9/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test2_1SetEnabledAfterRelease pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test3_0ControlStatusListener)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test3_0ControlStatusListener, {})
-03-22 18:14:44 I/ConsoleReporter: [10/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test3_0ControlStatusListener pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test3_1EnableStatusListener)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test3_1EnableStatusListener, {})
-03-22 18:14:44 I/ConsoleReporter: [11/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test3_1EnableStatusListener pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnvReverbTest#test3_2ParameterChangedListener)
-03-22 18:14:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnvReverbTest#test3_2ParameterChangedListener, {})
-03-22 18:14:44 I/ConsoleReporter: [12/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnvReverbTest#test3_2ParameterChangedListener pass
-03-22 18:14:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaScannerTest#testCanonicalize)
-03-22 18:14:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaScannerTest#testCanonicalize, {})
-03-22 18:14:45 I/ConsoleReporter: [13/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaScannerTest#testCanonicalize pass
-03-22 18:14:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaScannerTest#testEncodingDetection)
-03-22 18:14:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaScannerTest#testEncodingDetection, {})
-03-22 18:14:46 I/ConsoleReporter: [14/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaScannerTest#testEncodingDetection pass
-03-22 18:14:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaScannerTest#testMediaScanner)
-03-22 18:14:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaScannerTest#testMediaScanner, {})
-03-22 18:14:56 I/ConsoleReporter: [15/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaScannerTest#testMediaScanner pass
-03-22 18:14:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaScannerTest#testWildcardPaths)
-03-22 18:14:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaScannerTest#testWildcardPaths, {})
-03-22 18:14:57 I/ConsoleReporter: [16/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaScannerTest#testWildcardPaths pass
-03-22 18:14:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.JetPlayerTest#testClone)
-03-22 18:14:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.JetPlayerTest#testClone, {})
-03-22 18:14:57 I/ConsoleReporter: [17/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.JetPlayerTest#testClone pass
-03-22 18:14:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.JetPlayerTest#testLoadJetFromFd)
-03-22 18:15:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.JetPlayerTest#testLoadJetFromFd, {})
-03-22 18:15:42 I/ConsoleReporter: [18/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.JetPlayerTest#testLoadJetFromFd pass
-03-22 18:15:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.JetPlayerTest#testLoadJetFromPath)
-03-22 18:16:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.JetPlayerTest#testLoadJetFromPath, {})
-03-22 18:16:27 I/ConsoleReporter: [19/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.JetPlayerTest#testLoadJetFromPath pass
-03-22 18:16:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.JetPlayerTest#testQueueJetSegmentMuteArray)
-03-22 18:16:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.JetPlayerTest#testQueueJetSegmentMuteArray, {})
-03-22 18:16:47 I/ConsoleReporter: [20/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.JetPlayerTest#testQueueJetSegmentMuteArray pass
-03-22 18:16:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerSurfaceTest#testSetSurface)
-03-22 18:17:00 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerSurfaceTest#testSetSurface, {})
-03-22 18:17:00 I/ConsoleReporter: [21/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerSurfaceTest#testSetSurface pass
-03-22 18:17:00 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogH263Image)
-03-22 18:17:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogH263Image, {})
-03-22 18:17:01 I/ConsoleReporter: [22/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogH263Image pass
-03-22 18:17:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogH263ImageReader)
-03-22 18:17:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogH263ImageReader, {})
-03-22 18:17:02 I/ConsoleReporter: [23/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogH263ImageReader pass
-03-22 18:17:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogH264Image)
-03-22 18:17:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogH264Image, {})
-03-22 18:17:02 I/ConsoleReporter: [24/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogH264Image pass
-03-22 18:17:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogH264ImageReader)
-03-22 18:17:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogH264ImageReader, {})
-03-22 18:17:03 I/ConsoleReporter: [25/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogH264ImageReader pass
-03-22 18:17:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogH265Image)
-03-22 18:17:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogH265Image, {})
-03-22 18:17:03 I/ConsoleReporter: [26/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogH265Image pass
-03-22 18:17:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogH265ImageReader)
-03-22 18:17:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogH265ImageReader, {})
-03-22 18:17:04 I/ConsoleReporter: [27/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogH265ImageReader pass
-03-22 18:17:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogMpeg4Image)
-03-22 18:17:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogMpeg4Image, {})
-03-22 18:17:04 I/ConsoleReporter: [28/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogMpeg4Image pass
-03-22 18:17:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogMpeg4ImageReader)
-03-22 18:17:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogMpeg4ImageReader, {})
-03-22 18:17:05 I/ConsoleReporter: [29/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogMpeg4ImageReader pass
-03-22 18:17:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogVP8Image)
-03-22 18:17:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogVP8Image, {})
-03-22 18:17:05 I/ConsoleReporter: [30/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogVP8Image pass
-03-22 18:17:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogVP8ImageReader)
-03-22 18:17:06 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogVP8ImageReader, {})
-03-22 18:17:06 I/ConsoleReporter: [31/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogVP8ImageReader pass
-03-22 18:17:06 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogVP9Image)
-03-22 18:17:06 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogVP9Image, {})
-03-22 18:17:06 I/ConsoleReporter: [32/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogVP9Image pass
-03-22 18:17:06 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testGoogVP9ImageReader)
-03-22 18:17:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testGoogVP9ImageReader, {})
-03-22 18:17:07 I/ConsoleReporter: [33/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testGoogVP9ImageReader pass
-03-22 18:17:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherH263Image)
-03-22 18:17:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherH263Image, {})
-03-22 18:17:07 I/ConsoleReporter: [34/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherH263Image pass
-03-22 18:17:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherH263ImageReader)
-03-22 18:17:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherH263ImageReader, {})
-03-22 18:17:07 I/ConsoleReporter: [35/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherH263ImageReader pass
-03-22 18:17:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherH264Image)
-03-22 18:17:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherH264Image, {})
-03-22 18:17:07 I/ConsoleReporter: [36/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherH264Image pass
-03-22 18:17:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherH264ImageReader)
-03-22 18:17:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherH264ImageReader, {})
-03-22 18:17:08 I/ConsoleReporter: [37/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherH264ImageReader pass
-03-22 18:17:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherH265Image)
-03-22 18:17:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherH265Image, {})
-03-22 18:17:08 I/ConsoleReporter: [38/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherH265Image pass
-03-22 18:17:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherH265ImageReader)
-03-22 18:17:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherH265ImageReader, {})
-03-22 18:17:08 I/ConsoleReporter: [39/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherH265ImageReader pass
-03-22 18:17:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherMpeg4Image)
-03-22 18:17:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherMpeg4Image, {})
-03-22 18:17:08 I/ConsoleReporter: [40/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherMpeg4Image pass
-03-22 18:17:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherMpeg4ImageReader)
-03-22 18:17:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherMpeg4ImageReader, {})
-03-22 18:17:08 I/ConsoleReporter: [41/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherMpeg4ImageReader pass
-03-22 18:17:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherVP8Image)
-03-22 18:17:08 D/ModuleListener: ModuleListener.testFailed(android.media.cts.ImageReaderDecoderTest#testOtherVP8Image, java.lang.RuntimeException: while ARC.vp8.decode decoding swirl_132x130_vp8: {height=130, width=132, mime=video/x-vnd.on2.vp8, durationUs=2583000, color-format=2135033992, track-id=1}

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:300)

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:238)

-at android.media.cts.ImageReaderDecoderTest.decodeTest(ImageReaderDecoderTest.java:422)

-at android.media.cts.ImageReaderDecoderTest.swirlTest(ImageReaderDecoderTest.java:415)

-at android.media.cts.ImageReaderDecoderTest.testOtherVP8Image(ImageReaderDecoderTest.java:371)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-Caused by: junit.framework.AssertionFailedError: color of layer-0 is not uniform: [111.0151, 91.69052, 204.08736, 0.16204602, 19.632738, 0.44808358, 0.020156614, 0.015999276, -0.035232514]

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at android.media.cts.ImageReaderDecoderTest.validateSwirl(ImageReaderDecoderTest.java:683)

-at android.media.cts.ImageReaderDecoderTest.decodeFramesToImage(ImageReaderDecoderTest.java:574)

-at android.media.cts.ImageReaderDecoderTest.-wrap0(ImageReaderDecoderTest.java)

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:291)

-... 19 more

-)
-03-22 18:17:08 I/ConsoleReporter: [42/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherVP8Image fail: java.lang.RuntimeException: while ARC.vp8.decode decoding swirl_132x130_vp8: {height=130, width=132, mime=video/x-vnd.on2.vp8, durationUs=2583000, color-format=2135033992, track-id=1}

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:300)

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:238)

-at android.media.cts.ImageReaderDecoderTest.decodeTest(ImageReaderDecoderTest.java:422)

-at android.media.cts.ImageReaderDecoderTest.swirlTest(ImageReaderDecoderTest.java:415)

-at android.media.cts.ImageReaderDecoderTest.testOtherVP8Image(ImageReaderDecoderTest.java:371)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-Caused by: junit.framework.AssertionFailedError: color of layer-0 is not uniform: [111.0151, 91.69052, 204.08736, 0.16204602, 19.632738, 0.44808358, 0.020156614, 0.015999276, -0.035232514]

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at android.media.cts.ImageReaderDecoderTest.validateSwirl(ImageReaderDecoderTest.java:683)

-at android.media.cts.ImageReaderDecoderTest.decodeFramesToImage(ImageReaderDecoderTest.java:574)

-at android.media.cts.ImageReaderDecoderTest.-wrap0(ImageReaderDecoderTest.java)

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:291)

-... 19 more

-
-03-22 18:17:08 I/FailureListener: FailureListener.testFailed android.media.cts.ImageReaderDecoderTest#testOtherVP8Image false true false
-03-22 18:17:10 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44 with prefix "android.media.cts.ImageReaderDecoderTest#testOtherVP8Image-logcat_" suffix ".zip"
-03-22 18:17:10 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.ImageReaderDecoderTest#testOtherVP8Image-logcat_6609584995131459623.zip
-03-22 18:17:10 I/ResultReporter: Saved logs for android.media.cts.ImageReaderDecoderTest#testOtherVP8Image-logcat in /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.ImageReaderDecoderTest#testOtherVP8Image-logcat_6609584995131459623.zip
-03-22 18:17:10 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_2858568675927852618 with prefix "android.media.cts.ImageReaderDecoderTest#testOtherVP8Image-logcat_" suffix ".zip"
-03-22 18:17:10 D/RunUtil: Running command with timeout: 10000ms
-03-22 18:17:10 D/RunUtil: Running [chmod]
-03-22 18:17:10 D/RunUtil: [chmod] command failed. return code 1
-03-22 18:17:10 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.ImageReaderDecoderTest#testOtherVP8Image-logcat_3817361951824586109.zip to ug+rwx
-03-22 18:17:10 D/RunUtil: Running command with timeout: 10000ms
-03-22 18:17:10 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.ImageReaderDecoderTest#testOtherVP8Image-logcat_3817361951824586109.zip]
-03-22 18:17:10 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.ImageReaderDecoderTest#testOtherVP8Image-logcat_3817361951824586109.zip
-03-22 18:17:10 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherVP8Image, {})
-03-22 18:17:10 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader)
-03-22 18:17:10 D/ModuleListener: ModuleListener.testFailed(android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader, java.lang.RuntimeException: while ARC.vp8.decode decoding swirl_132x130_vp8: {height=130, width=132, mime=video/x-vnd.on2.vp8, durationUs=2583000, color-format=2135033992, track-id=1}

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:300)

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:238)

-at android.media.cts.ImageReaderDecoderTest.decodeTest(ImageReaderDecoderTest.java:422)

-at android.media.cts.ImageReaderDecoderTest.swirlTest(ImageReaderDecoderTest.java:415)

-at android.media.cts.ImageReaderDecoderTest.testOtherVP8ImageReader(ImageReaderDecoderTest.java:385)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-Caused by: junit.framework.AssertionFailedError: color of layer-0 is not uniform: [111.0151, 91.69052, 204.08736, 0.16204602, 19.632738, 0.44808358, 0.020156614, 0.015999276, -0.035232514]

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at android.media.cts.ImageReaderDecoderTest.validateSwirl(ImageReaderDecoderTest.java:683)

-at android.media.cts.ImageReaderDecoderTest.decodeFramesToImage(ImageReaderDecoderTest.java:574)

-at android.media.cts.ImageReaderDecoderTest.-wrap0(ImageReaderDecoderTest.java)

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:291)

-... 19 more

-)
-03-22 18:17:10 I/ConsoleReporter: [43/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader fail: java.lang.RuntimeException: while ARC.vp8.decode decoding swirl_132x130_vp8: {height=130, width=132, mime=video/x-vnd.on2.vp8, durationUs=2583000, color-format=2135033992, track-id=1}

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:300)

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:238)

-at android.media.cts.ImageReaderDecoderTest.decodeTest(ImageReaderDecoderTest.java:422)

-at android.media.cts.ImageReaderDecoderTest.swirlTest(ImageReaderDecoderTest.java:415)

-at android.media.cts.ImageReaderDecoderTest.testOtherVP8ImageReader(ImageReaderDecoderTest.java:385)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-Caused by: junit.framework.AssertionFailedError: color of layer-0 is not uniform: [111.0151, 91.69052, 204.08736, 0.16204602, 19.632738, 0.44808358, 0.020156614, 0.015999276, -0.035232514]

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at android.media.cts.ImageReaderDecoderTest.validateSwirl(ImageReaderDecoderTest.java:683)

-at android.media.cts.ImageReaderDecoderTest.decodeFramesToImage(ImageReaderDecoderTest.java:574)

-at android.media.cts.ImageReaderDecoderTest.-wrap0(ImageReaderDecoderTest.java)

-at android.media.cts.ImageReaderDecoderTest$Decoder.videoDecode(ImageReaderDecoderTest.java:291)

-... 19 more

-
-03-22 18:17:10 I/FailureListener: FailureListener.testFailed android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader false true false
-03-22 18:17:12 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44 with prefix "android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader-logcat_" suffix ".zip"
-03-22 18:17:12 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader-logcat_2950661987973216578.zip
-03-22 18:17:12 I/ResultReporter: Saved logs for android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader-logcat in /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader-logcat_2950661987973216578.zip
-03-22 18:17:12 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_2858568675927852618 with prefix "android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader-logcat_" suffix ".zip"
-03-22 18:17:12 D/RunUtil: Running command with timeout: 10000ms
-03-22 18:17:12 D/RunUtil: Running [chmod]
-03-22 18:17:12 D/RunUtil: [chmod] command failed. return code 1
-03-22 18:17:12 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader-logcat_6587245678345169286.zip to ug+rwx
-03-22 18:17:12 D/RunUtil: Running command with timeout: 10000ms
-03-22 18:17:12 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader-logcat_6587245678345169286.zip]
-03-22 18:17:13 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader-logcat_6587245678345169286.zip
-03-22 18:17:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherVP8ImageReader, {})
-03-22 18:17:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherVP9Image)
-03-22 18:17:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherVP9Image, {})
-03-22 18:17:13 I/ConsoleReporter: [44/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherVP9Image pass
-03-22 18:17:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testOtherVP9ImageReader)
-03-22 18:17:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testOtherVP9ImageReader, {})
-03-22 18:17:13 I/ConsoleReporter: [45/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testOtherVP9ImageReader pass
-03-22 18:17:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ImageReaderDecoderTest#testSwAVCDecode360pForFlexibleYuv)
-03-22 18:17:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ImageReaderDecoderTest#testSwAVCDecode360pForFlexibleYuv, {})
-03-22 18:17:13 I/ConsoleReporter: [46/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ImageReaderDecoderTest#testSwAVCDecode360pForFlexibleYuv pass
-03-22 18:17:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcCount0320x0240)
-03-22 18:17:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcCount0320x0240, {})
-03-22 18:17:13 I/ConsoleReporter: [47/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcCount0320x0240 pass
-03-22 18:17:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcCount0720x0480)
-03-22 18:17:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcCount0720x0480, {})
-03-22 18:17:13 I/ConsoleReporter: [48/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcCount0720x0480 pass
-03-22 18:17:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcCount1280x0720)
-03-22 18:17:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcCount1280x0720, {})
-03-22 18:17:13 I/ConsoleReporter: [49/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcCount1280x0720 pass
-03-22 18:17:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcCount1920x1080)
-03-22 18:17:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcCount1920x1080, {})
-03-22 18:17:13 I/ConsoleReporter: [50/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcCount1920x1080 pass
-03-22 18:17:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf0320x0240)
-03-22 18:17:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf0320x0240, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>704.434228088388</Value>

-</Metric>

-</Summary>})
-03-22 18:17:31 I/ConsoleReporter: [51/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf0320x0240 pass
-03-22 18:17:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf0720x0480)
-03-22 18:17:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf0720x0480, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>270.4294112904789</Value>

-</Metric>

-</Summary>})
-03-22 18:17:53 I/ConsoleReporter: [52/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf0720x0480 pass
-03-22 18:17:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf1280x0720)
-03-22 18:19:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf1280x0720, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>73.19741342400455</Value>

-</Metric>

-</Summary>})
-03-22 18:19:07 I/ConsoleReporter: [53/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf1280x0720 pass
-03-22 18:19:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf1920x1080)
-03-22 18:21:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf1920x1080, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>30.936318619332724</Value>

-</Metric>

-</Summary>})
-03-22 18:21:59 I/ConsoleReporter: [54/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcGoog0Perf1920x1080 pass
-03-22 18:21:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf0320x0240)
-03-22 18:22:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf0320x0240, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>2507.036020620972</Value>

-</Metric>

-</Summary>})
-03-22 18:22:19 I/ConsoleReporter: [55/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf0320x0240 pass
-03-22 18:22:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf0720x0480)
-03-22 18:22:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf0720x0480, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>1587.7560582003696</Value>

-</Metric>

-</Summary>})
-03-22 18:22:40 I/ConsoleReporter: [56/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf0720x0480 pass
-03-22 18:22:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf1280x0720)
-03-22 18:23:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf1280x0720, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>706.8213263812551</Value>

-</Metric>

-</Summary>})
-03-22 18:23:01 I/ConsoleReporter: [57/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf1280x0720 pass
-03-22 18:23:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf1920x1080)
-03-22 18:23:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf1920x1080, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>331.7149663761648</Value>

-</Metric>

-</Summary>})
-03-22 18:23:21 I/ConsoleReporter: [58/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther0Perf1920x1080 pass
-03-22 18:23:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf0320x0240)
-03-22 18:23:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf0320x0240, {})
-03-22 18:23:21 I/ConsoleReporter: [59/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf0320x0240 pass
-03-22 18:23:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf0720x0480)
-03-22 18:23:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf0720x0480, {})
-03-22 18:23:22 I/ConsoleReporter: [60/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf0720x0480 pass
-03-22 18:23:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf1280x0720)
-03-22 18:23:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf1280x0720, {})
-03-22 18:23:22 I/ConsoleReporter: [61/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf1280x0720 pass
-03-22 18:23:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf1920x1080)
-03-22 18:23:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf1920x1080, {})
-03-22 18:23:22 I/ConsoleReporter: [62/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther1Perf1920x1080 pass
-03-22 18:23:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf0320x0240)
-03-22 18:23:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf0320x0240, {})
-03-22 18:23:23 I/ConsoleReporter: [63/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf0320x0240 pass
-03-22 18:23:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf0720x0480)
-03-22 18:23:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf0720x0480, {})
-03-22 18:23:23 I/ConsoleReporter: [64/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf0720x0480 pass
-03-22 18:23:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf1280x0720)
-03-22 18:23:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf1280x0720, {})
-03-22 18:23:23 I/ConsoleReporter: [65/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf1280x0720 pass
-03-22 18:23:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf1920x1080)
-03-22 18:23:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf1920x1080, {})
-03-22 18:23:24 I/ConsoleReporter: [66/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther2Perf1920x1080 pass
-03-22 18:23:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf0320x0240)
-03-22 18:23:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf0320x0240, {})
-03-22 18:23:24 I/ConsoleReporter: [67/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf0320x0240 pass
-03-22 18:23:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf0720x0480)
-03-22 18:23:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf0720x0480, {})
-03-22 18:23:24 I/ConsoleReporter: [68/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf0720x0480 pass
-03-22 18:23:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf1280x0720)
-03-22 18:23:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf1280x0720, {})
-03-22 18:23:24 I/ConsoleReporter: [69/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf1280x0720 pass
-03-22 18:23:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf1920x1080)
-03-22 18:23:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf1920x1080, {})
-03-22 18:23:25 I/ConsoleReporter: [70/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testAvcOther3Perf1920x1080 pass
-03-22 18:23:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testH263Count0176x0144)
-03-22 18:23:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testH263Count0176x0144, {})
-03-22 18:23:25 I/ConsoleReporter: [71/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testH263Count0176x0144 pass
-03-22 18:23:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testH263Count0352x0288)
-03-22 18:23:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testH263Count0352x0288, {})
-03-22 18:23:25 I/ConsoleReporter: [72/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testH263Count0352x0288 pass
-03-22 18:23:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testH263Goog0Perf0176x0144)
-03-22 18:23:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testH263Goog0Perf0176x0144, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>1833.2291536442058</Value>

-</Metric>

-</Summary>})
-03-22 18:23:46 I/ConsoleReporter: [73/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testH263Goog0Perf0176x0144 pass
-03-22 18:23:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testH263Goog0Perf0352x0288)
-03-22 18:23:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testH263Goog0Perf0352x0288, {})
-03-22 18:23:46 I/ConsoleReporter: [74/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testH263Goog0Perf0352x0288 pass
-03-22 18:23:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testH263Other0Perf0176x0144)
-03-22 18:23:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testH263Other0Perf0176x0144, {})
-03-22 18:23:46 I/ConsoleReporter: [75/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testH263Other0Perf0176x0144 pass
-03-22 18:23:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testH263Other0Perf0352x0288)
-03-22 18:23:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testH263Other0Perf0352x0288, {})
-03-22 18:23:46 I/ConsoleReporter: [76/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testH263Other0Perf0352x0288 pass
-03-22 18:23:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testH263Other1Perf0176x0144)
-03-22 18:23:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testH263Other1Perf0176x0144, {})
-03-22 18:23:47 I/ConsoleReporter: [77/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testH263Other1Perf0176x0144 pass
-03-22 18:23:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testH263Other1Perf0352x0288)
-03-22 18:23:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testH263Other1Perf0352x0288, {})
-03-22 18:23:47 I/ConsoleReporter: [78/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testH263Other1Perf0352x0288 pass
-03-22 18:23:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcCount0352x0288)
-03-22 18:23:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcCount0352x0288, {})
-03-22 18:23:47 I/ConsoleReporter: [79/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcCount0352x0288 pass
-03-22 18:23:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcCount0640x0360)
-03-22 18:23:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcCount0640x0360, {})
-03-22 18:23:47 I/ConsoleReporter: [80/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcCount0640x0360 pass
-03-22 18:23:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcCount0720x0480)
-03-22 18:23:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcCount0720x0480, {})
-03-22 18:23:48 I/ConsoleReporter: [81/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcCount0720x0480 pass
-03-22 18:23:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcCount1280x0720)
-03-22 18:23:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcCount1280x0720, {})
-03-22 18:23:48 I/ConsoleReporter: [82/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcCount1280x0720 pass
-03-22 18:23:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcCount1920x1080)
-03-22 18:23:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcCount1920x1080, {})
-03-22 18:23:48 I/ConsoleReporter: [83/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcCount1920x1080 pass
-03-22 18:23:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcCount3840x2160)
-03-22 18:23:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcCount3840x2160, {})
-03-22 18:23:48 I/ConsoleReporter: [84/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcCount3840x2160 pass
-03-22 18:23:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf0352x0288)
-03-22 18:24:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf0352x0288, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>692.520081579066</Value>

-</Metric>

-</Summary>})
-03-22 18:24:09 I/ConsoleReporter: [85/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf0352x0288 pass
-03-22 18:24:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf0640x0360)
-03-22 18:24:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf0640x0360, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>297.5227474673</Value>

-</Metric>

-</Summary>})
-03-22 18:24:29 I/ConsoleReporter: [86/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf0640x0360 pass
-03-22 18:24:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf0720x0480)
-03-22 18:24:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf0720x0480, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>268.0306448370597</Value>

-</Metric>

-</Summary>})
-03-22 18:24:51 I/ConsoleReporter: [87/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf0720x0480 pass
-03-22 18:24:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf1280x0720)
-03-22 18:25:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf1280x0720, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>95.07549398799217</Value>

-</Metric>

-</Summary>})
-03-22 18:25:49 I/ConsoleReporter: [88/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf1280x0720 pass
-03-22 18:25:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf1920x1080)
-03-22 18:27:10 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf1920x1080, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>54.88536725041915</Value>

-</Metric>

-</Summary>})
-03-22 18:27:10 I/ConsoleReporter: [89/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf1920x1080 pass
-03-22 18:27:10 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf3840x2160)
-03-22 18:27:10 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf3840x2160, {})
-03-22 18:27:10 I/ConsoleReporter: [90/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcGoog0Perf3840x2160 pass
-03-22 18:27:10 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf0352x0288)
-03-22 18:27:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf0352x0288, {})
-03-22 18:27:11 I/ConsoleReporter: [91/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf0352x0288 pass
-03-22 18:27:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf0640x0360)
-03-22 18:27:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf0640x0360, {})
-03-22 18:27:11 I/ConsoleReporter: [92/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf0640x0360 pass
-03-22 18:27:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf0720x0480)
-03-22 18:27:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf0720x0480, {})
-03-22 18:27:11 I/ConsoleReporter: [93/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf0720x0480 pass
-03-22 18:27:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf1280x0720)
-03-22 18:27:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf1280x0720, {})
-03-22 18:27:11 I/ConsoleReporter: [94/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf1280x0720 pass
-03-22 18:27:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf1920x1080)
-03-22 18:27:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf1920x1080, {})
-03-22 18:27:12 I/ConsoleReporter: [95/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf1920x1080 pass
-03-22 18:27:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf3840x2160)
-03-22 18:27:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf3840x2160, {})
-03-22 18:27:12 I/ConsoleReporter: [96/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther0Perf3840x2160 pass
-03-22 18:27:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf0352x0288)
-03-22 18:27:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf0352x0288, {})
-03-22 18:27:12 I/ConsoleReporter: [97/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf0352x0288 pass
-03-22 18:27:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf0640x0360)
-03-22 18:27:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf0640x0360, {})
-03-22 18:27:13 I/ConsoleReporter: [98/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf0640x0360 pass
-03-22 18:27:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf0720x0480)
-03-22 18:27:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf0720x0480, {})
-03-22 18:27:13 I/ConsoleReporter: [99/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf0720x0480 pass
-03-22 18:27:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf1280x0720)
-03-22 18:27:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf1280x0720, {})
-03-22 18:27:13 I/ConsoleReporter: [100/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf1280x0720 pass
-03-22 18:27:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf1920x1080)
-03-22 18:27:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf1920x1080, {})
-03-22 18:27:14 I/ConsoleReporter: [101/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf1920x1080 pass
-03-22 18:27:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf3840x2160)
-03-22 18:27:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf3840x2160, {})
-03-22 18:27:14 I/ConsoleReporter: [102/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther1Perf3840x2160 pass
-03-22 18:27:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf0352x0288)
-03-22 18:27:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf0352x0288, {})
-03-22 18:27:14 I/ConsoleReporter: [103/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf0352x0288 pass
-03-22 18:27:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf0640x0360)
-03-22 18:27:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf0640x0360, {})
-03-22 18:27:15 I/ConsoleReporter: [104/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf0640x0360 pass
-03-22 18:27:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf0720x0480)
-03-22 18:27:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf0720x0480, {})
-03-22 18:27:15 I/ConsoleReporter: [105/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf0720x0480 pass
-03-22 18:27:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf1280x0720)
-03-22 18:27:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf1280x0720, {})
-03-22 18:27:15 I/ConsoleReporter: [106/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf1280x0720 pass
-03-22 18:27:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf1920x1080)
-03-22 18:27:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf1920x1080, {})
-03-22 18:27:16 I/ConsoleReporter: [107/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf1920x1080 pass
-03-22 18:27:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf3840x2160)
-03-22 18:27:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf3840x2160, {})
-03-22 18:27:16 I/ConsoleReporter: [108/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther2Perf3840x2160 pass
-03-22 18:27:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf0352x0288)
-03-22 18:27:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf0352x0288, {})
-03-22 18:27:16 I/ConsoleReporter: [109/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf0352x0288 pass
-03-22 18:27:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf0640x0360)
-03-22 18:27:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf0640x0360, {})
-03-22 18:27:17 I/ConsoleReporter: [110/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf0640x0360 pass
-03-22 18:27:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf0720x0480)
-03-22 18:27:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf0720x0480, {})
-03-22 18:27:17 I/ConsoleReporter: [111/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf0720x0480 pass
-03-22 18:27:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf1280x0720)
-03-22 18:27:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf1280x0720, {})
-03-22 18:27:17 I/ConsoleReporter: [112/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf1280x0720 pass
-03-22 18:27:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf1920x1080)
-03-22 18:27:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf1920x1080, {})
-03-22 18:27:18 I/ConsoleReporter: [113/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf1920x1080 pass
-03-22 18:27:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf3840x2160)
-03-22 18:27:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf3840x2160, {})
-03-22 18:27:18 I/ConsoleReporter: [114/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testHevcOther3Perf3840x2160 pass
-03-22 18:27:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Count0176x0144)
-03-22 18:27:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Count0176x0144, {})
-03-22 18:27:18 I/ConsoleReporter: [115/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Count0176x0144 pass
-03-22 18:27:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Count0480x0360)
-03-22 18:27:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Count0480x0360, {})
-03-22 18:27:19 I/ConsoleReporter: [116/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Count0480x0360 pass
-03-22 18:27:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Count1280x0720)
-03-22 18:27:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Count1280x0720, {})
-03-22 18:27:19 I/ConsoleReporter: [117/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Count1280x0720 pass
-03-22 18:27:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Goog0Perf0176x0144)
-03-22 18:27:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Goog0Perf0176x0144, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>2363.4204156698174</Value>

-</Metric>

-</Summary>})
-03-22 18:27:39 I/ConsoleReporter: [118/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Goog0Perf0176x0144 pass
-03-22 18:27:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Goog0Perf0480x0360)
-03-22 18:27:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Goog0Perf0480x0360, {})
-03-22 18:27:40 I/ConsoleReporter: [119/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Goog0Perf0480x0360 pass
-03-22 18:27:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Goog0Perf1280x0720)
-03-22 18:27:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Goog0Perf1280x0720, {})
-03-22 18:27:40 I/ConsoleReporter: [120/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Goog0Perf1280x0720 pass
-03-22 18:27:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other0Perf0176x0144)
-03-22 18:27:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other0Perf0176x0144, {})
-03-22 18:27:40 I/ConsoleReporter: [121/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other0Perf0176x0144 pass
-03-22 18:27:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other0Perf0480x0360)
-03-22 18:27:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other0Perf0480x0360, {})
-03-22 18:27:40 I/ConsoleReporter: [122/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other0Perf0480x0360 pass
-03-22 18:27:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other0Perf1280x0720)
-03-22 18:27:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other0Perf1280x0720, {})
-03-22 18:27:41 I/ConsoleReporter: [123/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other0Perf1280x0720 pass
-03-22 18:27:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other1Perf0176x0144)
-03-22 18:27:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other1Perf0176x0144, {})
-03-22 18:27:41 I/ConsoleReporter: [124/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other1Perf0176x0144 pass
-03-22 18:27:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other1Perf0480x0360)
-03-22 18:27:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other1Perf0480x0360, {})
-03-22 18:27:41 I/ConsoleReporter: [125/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other1Perf0480x0360 pass
-03-22 18:27:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other1Perf1280x0720)
-03-22 18:27:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other1Perf1280x0720, {})
-03-22 18:27:42 I/ConsoleReporter: [126/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other1Perf1280x0720 pass
-03-22 18:27:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other2Perf0176x0144)
-03-22 18:27:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other2Perf0176x0144, {})
-03-22 18:27:42 I/ConsoleReporter: [127/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other2Perf0176x0144 pass
-03-22 18:27:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other2Perf0480x0360)
-03-22 18:27:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other2Perf0480x0360, {})
-03-22 18:27:42 I/ConsoleReporter: [128/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other2Perf0480x0360 pass
-03-22 18:27:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other2Perf1280x0720)
-03-22 18:27:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other2Perf1280x0720, {})
-03-22 18:27:42 I/ConsoleReporter: [129/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other2Perf1280x0720 pass
-03-22 18:27:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other3Perf0176x0144)
-03-22 18:27:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other3Perf0176x0144, {})
-03-22 18:27:43 I/ConsoleReporter: [130/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other3Perf0176x0144 pass
-03-22 18:27:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other3Perf0480x0360)
-03-22 18:27:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other3Perf0480x0360, {})
-03-22 18:27:43 I/ConsoleReporter: [131/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other3Perf0480x0360 pass
-03-22 18:27:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testMpeg4Other3Perf1280x0720)
-03-22 18:27:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testMpeg4Other3Perf1280x0720, {})
-03-22 18:27:43 I/ConsoleReporter: [132/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testMpeg4Other3Perf1280x0720 pass
-03-22 18:27:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Count0320x0180)
-03-22 18:27:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Count0320x0180, {})
-03-22 18:27:44 I/ConsoleReporter: [133/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Count0320x0180 pass
-03-22 18:27:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Count0640x0360)
-03-22 18:27:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Count0640x0360, {})
-03-22 18:27:44 I/ConsoleReporter: [134/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Count0640x0360 pass
-03-22 18:27:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Count1280x0720)
-03-22 18:27:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Count1280x0720, {})
-03-22 18:27:44 I/ConsoleReporter: [135/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Count1280x0720 pass
-03-22 18:27:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Count1920x1080)
-03-22 18:27:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Count1920x1080, {})
-03-22 18:27:45 I/ConsoleReporter: [136/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Count1920x1080 pass
-03-22 18:27:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf0320x0180)
-03-22 18:28:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf0320x0180, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>1170.7385467419117</Value>

-</Metric>

-</Summary>})
-03-22 18:28:05 I/ConsoleReporter: [137/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf0320x0180 pass
-03-22 18:28:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf0640x0360)
-03-22 18:28:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf0640x0360, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>406.1506247198312</Value>

-</Metric>

-</Summary>})
-03-22 18:28:26 I/ConsoleReporter: [138/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf0640x0360 pass
-03-22 18:28:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf1280x0720)
-03-22 18:29:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf1280x0720, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>96.84321386310606</Value>

-</Metric>

-</Summary>})
-03-22 18:29:24 I/ConsoleReporter: [139/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf1280x0720 pass
-03-22 18:29:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf1920x1080)
-03-22 18:31:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf1920x1080, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>37.646771534970796</Value>

-</Metric>

-</Summary>})
-03-22 18:31:47 I/ConsoleReporter: [140/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Goog0Perf1920x1080 pass
-03-22 18:31:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf0320x0180)
-03-22 18:32:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf0320x0180, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>2320.1391883414753</Value>

-</Metric>

-</Summary>})
-03-22 18:32:08 I/ConsoleReporter: [141/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf0320x0180 pass
-03-22 18:32:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf0640x0360)
-03-22 18:32:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf0640x0360, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>1853.3956068919897</Value>

-</Metric>

-</Summary>})
-03-22 18:32:28 I/ConsoleReporter: [142/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf0640x0360 pass
-03-22 18:32:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf1280x0720)
-03-22 18:32:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf1280x0720, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>632.687098188633</Value>

-</Metric>

-</Summary>})
-03-22 18:32:49 I/ConsoleReporter: [143/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf1280x0720 pass
-03-22 18:32:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf1920x1080)
-03-22 18:33:10 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf1920x1080, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>303.9544269653874</Value>

-</Metric>

-</Summary>})
-03-22 18:33:10 I/ConsoleReporter: [144/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Other0Perf1920x1080 pass
-03-22 18:33:10 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf0320x0180)
-03-22 18:33:10 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf0320x0180, {})
-03-22 18:33:10 I/ConsoleReporter: [145/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf0320x0180 pass
-03-22 18:33:10 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf0640x0360)
-03-22 18:33:10 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf0640x0360, {})
-03-22 18:33:10 I/ConsoleReporter: [146/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf0640x0360 pass
-03-22 18:33:10 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf1280x0720)
-03-22 18:33:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf1280x0720, {})
-03-22 18:33:11 I/ConsoleReporter: [147/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf1280x0720 pass
-03-22 18:33:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf1920x1080)
-03-22 18:33:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf1920x1080, {})
-03-22 18:33:11 I/ConsoleReporter: [148/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp8Other1Perf1920x1080 pass
-03-22 18:33:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Count0320x0180)
-03-22 18:33:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Count0320x0180, {})
-03-22 18:33:11 I/ConsoleReporter: [149/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Count0320x0180 pass
-03-22 18:33:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Count0640x0360)
-03-22 18:33:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Count0640x0360, {})
-03-22 18:33:12 I/ConsoleReporter: [150/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Count0640x0360 pass
-03-22 18:33:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Count1280x0720)
-03-22 18:33:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Count1280x0720, {})
-03-22 18:33:12 I/ConsoleReporter: [151/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Count1280x0720 pass
-03-22 18:33:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Count1920x1080)
-03-22 18:33:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Count1920x1080, {})
-03-22 18:33:12 I/ConsoleReporter: [152/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Count1920x1080 pass
-03-22 18:33:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Count3840x2160)
-03-22 18:33:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Count3840x2160, {})
-03-22 18:33:12 I/ConsoleReporter: [153/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Count3840x2160 pass
-03-22 18:33:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf0320x0180)
-03-22 18:33:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf0320x0180, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>900.145885712512</Value>

-</Metric>

-</Summary>})
-03-22 18:33:33 I/ConsoleReporter: [154/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf0320x0180 pass
-03-22 18:33:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf0640x0360)
-03-22 18:33:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf0640x0360, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>373.48291340703526</Value>

-</Metric>

-</Summary>})
-03-22 18:33:54 I/ConsoleReporter: [155/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf0640x0360 pass
-03-22 18:33:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf1280x0720)
-03-22 18:34:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf1280x0720, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>127.28167434532621</Value>

-</Metric>

-</Summary>})
-03-22 18:34:38 I/ConsoleReporter: [156/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf1280x0720 pass
-03-22 18:34:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf1920x1080)
-03-22 18:35:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf1920x1080, {COMPATIBILITY_TEST_RESULT=<?xml version='1.0' encoding='UTF-8' standalone='yes' ?>

-<Summary>

-<Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:281" message="fps" score_type="higher_better" score_unit="fps">

-<Value>71.42339687634876</Value>

-</Metric>

-</Summary>})
-03-22 18:35:45 I/ConsoleReporter: [157/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf1920x1080 pass
-03-22 18:35:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf3840x2160)
-03-22 18:35:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf3840x2160, {})
-03-22 18:35:45 I/ConsoleReporter: [158/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Goog0Perf3840x2160 pass
-03-22 18:35:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf0320x0180)
-03-22 18:35:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf0320x0180, {})
-03-22 18:35:45 I/ConsoleReporter: [159/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf0320x0180 pass
-03-22 18:35:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf0640x0360)
-03-22 18:35:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf0640x0360, {})
-03-22 18:35:46 I/ConsoleReporter: [160/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf0640x0360 pass
-03-22 18:35:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf1280x0720)
-03-22 18:35:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf1280x0720, {})
-03-22 18:35:46 I/ConsoleReporter: [161/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf1280x0720 pass
-03-22 18:35:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf1920x1080)
-03-22 18:35:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf1920x1080, {})
-03-22 18:35:46 I/ConsoleReporter: [162/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf1920x1080 pass
-03-22 18:35:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf3840x2160)
-03-22 18:35:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf3840x2160, {})
-03-22 18:35:47 I/ConsoleReporter: [163/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other0Perf3840x2160 pass
-03-22 18:35:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf0320x0180)
-03-22 18:35:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf0320x0180, {})
-03-22 18:35:47 I/ConsoleReporter: [164/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf0320x0180 pass
-03-22 18:35:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf0640x0360)
-03-22 18:35:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf0640x0360, {})
-03-22 18:35:47 I/ConsoleReporter: [165/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf0640x0360 pass
-03-22 18:35:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf1280x0720)
-03-22 18:35:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf1280x0720, {})
-03-22 18:35:48 I/ConsoleReporter: [166/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf1280x0720 pass
-03-22 18:35:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf1920x1080)
-03-22 18:35:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf1920x1080, {})
-03-22 18:35:48 I/ConsoleReporter: [167/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf1920x1080 pass
-03-22 18:35:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf3840x2160)
-03-22 18:35:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf3840x2160, {})
-03-22 18:35:48 I/ConsoleReporter: [168/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other1Perf3840x2160 pass
-03-22 18:35:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf0320x0180)
-03-22 18:35:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf0320x0180, {})
-03-22 18:35:49 I/ConsoleReporter: [169/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf0320x0180 pass
-03-22 18:35:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf0640x0360)
-03-22 18:35:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf0640x0360, {})
-03-22 18:35:49 I/ConsoleReporter: [170/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf0640x0360 pass
-03-22 18:35:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf1280x0720)
-03-22 18:35:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf1280x0720, {})
-03-22 18:35:49 I/ConsoleReporter: [171/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf1280x0720 pass
-03-22 18:35:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf1920x1080)
-03-22 18:35:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf1920x1080, {})
-03-22 18:35:50 I/ConsoleReporter: [172/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf1920x1080 pass
-03-22 18:35:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf3840x2160)
-03-22 18:35:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf3840x2160, {})
-03-22 18:35:50 I/ConsoleReporter: [173/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other2Perf3840x2160 pass
-03-22 18:35:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf0320x0180)
-03-22 18:35:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf0320x0180, {})
-03-22 18:35:51 I/ConsoleReporter: [174/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf0320x0180 pass
-03-22 18:35:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf0640x0360)
-03-22 18:35:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf0640x0360, {})
-03-22 18:35:51 I/ConsoleReporter: [175/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf0640x0360 pass
-03-22 18:35:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf1280x0720)
-03-22 18:35:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf1280x0720, {})
-03-22 18:35:51 I/ConsoleReporter: [176/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf1280x0720 pass
-03-22 18:35:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf1920x1080)
-03-22 18:35:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf1920x1080, {})
-03-22 18:35:51 I/ConsoleReporter: [177/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf1920x1080 pass
-03-22 18:35:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf3840x2160)
-03-22 18:35:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf3840x2160, {})
-03-22 18:35:52 I/ConsoleReporter: [178/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoDecoderPerfTest#testVp9Other3Perf3840x2160 pass
-03-22 18:35:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMux2160pHevc)
-03-22 18:35:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMux2160pHevc, {})
-03-22 18:35:52 I/ConsoleReporter: [179/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMux2160pHevc pass
-03-22 18:35:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMux720p)
-03-22 18:36:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMux720p, {})
-03-22 18:36:08 I/ConsoleReporter: [180/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMux720p pass
-03-22 18:36:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxAudio)
-03-22 18:36:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxAudio, {})
-03-22 18:36:08 I/ConsoleReporter: [181/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxAudio pass
-03-22 18:36:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxAudioVideo)
-03-22 18:36:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxAudioVideo, {})
-03-22 18:36:08 I/ConsoleReporter: [182/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxAudioVideo pass
-03-22 18:36:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxQCIF)
-03-22 18:36:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxQCIF, {})
-03-22 18:36:19 I/ConsoleReporter: [183/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxQCIF pass
-03-22 18:36:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxQVGA)
-03-22 18:36:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxQVGA, {})
-03-22 18:36:30 I/ConsoleReporter: [184/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ExtractDecodeEditEncodeMuxTest#testExtractDecodeEditEncodeMuxQVGA pass
-03-22 18:36:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test0_0ConstructorAndRelease)
-03-22 18:36:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test0_0ConstructorAndRelease, {})
-03-22 18:36:30 I/ConsoleReporter: [185/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test0_0ConstructorAndRelease pass
-03-22 18:36:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test1_0Strength)
-03-22 18:36:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test1_0Strength, {})
-03-22 18:36:30 I/ConsoleReporter: [186/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test1_0Strength pass
-03-22 18:36:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test1_1Properties)
-03-22 18:36:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test1_1Properties, {})
-03-22 18:36:30 I/ConsoleReporter: [187/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test1_1Properties pass
-03-22 18:36:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test1_2SetStrengthAfterRelease)
-03-22 18:36:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test1_2SetStrengthAfterRelease, {})
-03-22 18:36:30 I/ConsoleReporter: [188/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test1_2SetStrengthAfterRelease pass
-03-22 18:36:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test2_0SetEnabledGetEnabled)
-03-22 18:36:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test2_0SetEnabledGetEnabled, {})
-03-22 18:36:30 I/ConsoleReporter: [189/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test2_0SetEnabledGetEnabled pass
-03-22 18:36:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test2_1SetEnabledAfterRelease)
-03-22 18:36:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test2_1SetEnabledAfterRelease, {})
-03-22 18:36:30 I/ConsoleReporter: [190/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test2_1SetEnabledAfterRelease pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test3_0ControlStatusListener)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test3_0ControlStatusListener, {})
-03-22 18:36:31 I/ConsoleReporter: [191/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test3_0ControlStatusListener pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test3_1EnableStatusListener)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test3_1EnableStatusListener, {})
-03-22 18:36:31 I/ConsoleReporter: [192/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test3_1EnableStatusListener pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test3_2ParameterChangedListener)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test3_2ParameterChangedListener, {})
-03-22 18:36:31 I/ConsoleReporter: [193/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test3_2ParameterChangedListener pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test4_0FormatModeQuery)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test4_0FormatModeQuery, {})
-03-22 18:36:31 I/ConsoleReporter: [194/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test4_0FormatModeQuery pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test4_1SpeakerAnglesCapaMatchesFormatModeCapa)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test4_1SpeakerAnglesCapaMatchesFormatModeCapa, {})
-03-22 18:36:31 I/ConsoleReporter: [195/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test4_1SpeakerAnglesCapaMatchesFormatModeCapa pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test4_2VirtualizationMode)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test4_2VirtualizationMode, {})
-03-22 18:36:31 I/ConsoleReporter: [196/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test4_2VirtualizationMode pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test4_3DisablingVirtualizationOff)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test4_3DisablingVirtualizationOff, {})
-03-22 18:36:31 I/ConsoleReporter: [197/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test4_3DisablingVirtualizationOff pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test4_4VirtualizationModeAuto)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test4_4VirtualizationModeAuto, {})
-03-22 18:36:31 I/ConsoleReporter: [198/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test4_4VirtualizationModeAuto pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VirtualizerTest#test4_5ConsistentCapabilitiesWithEnabledDisabled)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VirtualizerTest#test4_5ConsistentCapabilitiesWithEnabledDisabled, {})
-03-22 18:36:31 I/ConsoleReporter: [199/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VirtualizerTest#test4_5ConsistentCapabilitiesWithEnabledDisabled pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRouterTest#testGetRouteCount)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRouterTest#testGetRouteCount, {})
-03-22 18:36:31 I/ConsoleReporter: [200/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRouterTest#testGetRouteCount pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRouterTest#testRouteCategory)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRouterTest#testRouteCategory, {})
-03-22 18:36:31 I/ConsoleReporter: [201/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRouterTest#testRouteCategory pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRouterTest#testRouteInfo_getDeviceType)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRouterTest#testRouteInfo_getDeviceType, {})
-03-22 18:36:31 I/ConsoleReporter: [202/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRouterTest#testRouteInfo_getDeviceType pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRouterTest#testSelectRoute)
-03-22 18:36:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRouterTest#testSelectRoute, {})
-03-22 18:36:31 I/ConsoleReporter: [203/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRouterTest#testSelectRoute pass
-03-22 18:36:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.FaceDetector_FaceTest#testFaceProperties)
-03-22 18:36:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.FaceDetector_FaceTest#testFaceProperties, {})
-03-22 18:36:36 I/ConsoleReporter: [204/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.FaceDetector_FaceTest#testFaceProperties pass
-03-22 18:36:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaItemTest#testBrowsableMediaItem)
-03-22 18:36:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaItemTest#testBrowsableMediaItem, {})
-03-22 18:36:36 I/ConsoleReporter: [205/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaItemTest#testBrowsableMediaItem pass
-03-22 18:36:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaItemTest#testPlayableMediaItem)
-03-22 18:36:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaItemTest#testPlayableMediaItem, {})
-03-22 18:36:36 I/ConsoleReporter: [206/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaItemTest#testPlayableMediaItem pass
-03-22 18:36:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaScannerConnectionTest#testMediaScannerConnection)
-03-22 18:36:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaScannerConnectionTest#testMediaScannerConnection, {})
-03-22 18:36:36 I/ConsoleReporter: [207/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaScannerConnectionTest#testMediaScannerConnection pass
-03-22 18:36:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testBlockingReadRelease)
-03-22 18:36:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testBlockingReadRelease, {})
-03-22 18:36:56 I/ConsoleReporter: [208/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testBlockingReadRelease pass
-03-22 18:36:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testHLS)
-03-22 18:37:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testHLS, {})
-03-22 18:37:58 I/ConsoleReporter: [209/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testHLS pass
-03-22 18:37:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testHTTP_H263_AMR_Video1)
-03-22 18:40:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testHTTP_H263_AMR_Video1, {})
-03-22 18:40:56 I/ConsoleReporter: [210/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testHTTP_H263_AMR_Video1 pass
-03-22 18:40:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testHTTP_H263_AMR_Video2)
-03-22 18:44:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testHTTP_H263_AMR_Video2, {})
-03-22 18:44:17 I/ConsoleReporter: [211/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testHTTP_H263_AMR_Video2 pass
-03-22 18:44:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testHTTP_H264Base_AAC_Video1)
-03-22 18:47:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testHTTP_H264Base_AAC_Video1, {})
-03-22 18:47:14 I/ConsoleReporter: [212/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testHTTP_H264Base_AAC_Video1 pass
-03-22 18:47:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testHTTP_H264Base_AAC_Video2)
-03-22 18:50:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testHTTP_H264Base_AAC_Video2, {})
-03-22 18:50:36 I/ConsoleReporter: [213/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testHTTP_H264Base_AAC_Video2 pass
-03-22 18:50:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testHTTP_MPEG4SP_AAC_Video1)
-03-22 18:53:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testHTTP_MPEG4SP_AAC_Video1, {})
-03-22 18:53:33 I/ConsoleReporter: [214/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testHTTP_MPEG4SP_AAC_Video1 pass
-03-22 18:53:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testHTTP_MPEG4SP_AAC_Video2)
-03-22 18:56:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testHTTP_MPEG4SP_AAC_Video2, {})
-03-22 18:56:55 I/ConsoleReporter: [215/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testHTTP_MPEG4SP_AAC_Video2 pass
-03-22 18:56:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayHlsStream)
-03-22 18:56:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayHlsStream, {})
-03-22 18:56:56 I/ConsoleReporter: [216/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayHlsStream pass
-03-22 18:56:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayHlsStreamWithQueryString)
-03-22 18:56:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayHlsStreamWithQueryString, {})
-03-22 18:56:57 I/ConsoleReporter: [217/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayHlsStreamWithQueryString pass
-03-22 18:56:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayHlsStreamWithRedirect)
-03-22 18:56:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayHlsStreamWithRedirect, {})
-03-22 18:56:59 I/ConsoleReporter: [218/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayHlsStreamWithRedirect pass
-03-22 18:56:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayHlsStreamWithTimedId3)
-03-22 18:57:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayHlsStreamWithTimedId3, {})
-03-22 18:57:32 I/ConsoleReporter: [219/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayHlsStreamWithTimedId3 pass
-03-22 18:57:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayMp3Stream1)
-03-22 18:57:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayMp3Stream1, {})
-03-22 18:57:33 I/ConsoleReporter: [220/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayMp3Stream1 pass
-03-22 18:57:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayMp3Stream1Ssl)
-03-22 18:58:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayMp3Stream1Ssl, {})
-03-22 18:58:03 I/ConsoleReporter: [221/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayMp3Stream1Ssl pass
-03-22 18:58:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayMp3Stream2)
-03-22 18:58:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayMp3Stream2, {})
-03-22 18:58:04 I/ConsoleReporter: [222/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayMp3Stream2 pass
-03-22 18:58:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayMp3StreamNoLength)
-03-22 18:58:10 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayMp3StreamNoLength, {})
-03-22 18:58:10 I/ConsoleReporter: [223/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayMp3StreamNoLength pass
-03-22 18:58:10 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayMp3StreamRedirect)
-03-22 18:58:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayMp3StreamRedirect, {})
-03-22 18:58:12 I/ConsoleReporter: [224/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayMp3StreamRedirect pass
-03-22 18:58:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayOggStream)
-03-22 18:58:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayOggStream, {})
-03-22 18:58:13 I/ConsoleReporter: [225/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayOggStream pass
-03-22 18:58:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayOggStreamNoLength)
-03-22 18:58:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayOggStreamNoLength, {})
-03-22 18:58:19 I/ConsoleReporter: [226/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayOggStreamNoLength pass
-03-22 18:58:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.StreamingMediaPlayerTest#testPlayOggStreamRedirect)
-03-22 18:58:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.StreamingMediaPlayerTest#testPlayOggStreamRedirect, {})
-03-22 18:58:21 I/ConsoleReporter: [227/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.StreamingMediaPlayerTest#testPlayOggStreamRedirect pass
-03-22 18:58:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testCryptoInfo)
-03-22 18:58:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testCryptoInfo, {})
-03-22 18:58:21 I/ConsoleReporter: [228/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testCryptoInfo pass
-03-22 18:58:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testDecoder)
-03-22 18:58:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testDecoder, {})
-03-22 18:58:27 I/ConsoleReporter: [229/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testDecoder pass
-03-22 18:58:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testExtractor)
-03-22 18:58:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testExtractor, {})
-03-22 18:58:28 I/ConsoleReporter: [230/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testExtractor pass
-03-22 18:58:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testFormat)
-03-22 18:58:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testFormat, {})
-03-22 18:58:29 I/ConsoleReporter: [231/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testFormat pass
-03-22 18:58:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testMuxerAvc)
-03-22 18:58:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testMuxerAvc, {})
-03-22 18:58:29 I/ConsoleReporter: [232/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testMuxerAvc pass
-03-22 18:58:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testMuxerH263)
-03-22 18:58:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testMuxerH263, {})
-03-22 18:58:29 I/ConsoleReporter: [233/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testMuxerH263 pass
-03-22 18:58:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testMuxerHevc)
-03-22 18:58:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testMuxerHevc, {})
-03-22 18:58:30 I/ConsoleReporter: [234/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testMuxerHevc pass
-03-22 18:58:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testMuxerMpeg4)
-03-22 18:58:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testMuxerMpeg4, {})
-03-22 18:58:30 I/ConsoleReporter: [235/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testMuxerMpeg4 pass
-03-22 18:58:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testMuxerVp8)
-03-22 18:58:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testMuxerVp8, {})
-03-22 18:58:31 I/ConsoleReporter: [236/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testMuxerVp8 pass
-03-22 18:58:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testMuxerVp9)
-03-22 18:58:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testMuxerVp9, {})
-03-22 18:58:31 I/ConsoleReporter: [237/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testMuxerVp9 pass
-03-22 18:58:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testMuxerVp9Hdr)
-03-22 18:58:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testMuxerVp9Hdr, {})
-03-22 18:58:31 I/ConsoleReporter: [238/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testMuxerVp9Hdr pass
-03-22 18:58:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testMuxerVp9NoCsd)
-03-22 18:58:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testMuxerVp9NoCsd, {})
-03-22 18:58:32 I/ConsoleReporter: [239/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testMuxerVp9NoCsd pass
-03-22 18:58:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testPssh)
-03-22 18:58:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testPssh, {})
-03-22 18:58:32 I/ConsoleReporter: [240/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testPssh pass
-03-22 18:58:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.NativeDecoderTest#testVideoPlayback)
-03-22 18:58:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.NativeDecoderTest#testVideoPlayback, {})
-03-22 18:58:55 I/ConsoleReporter: [241/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.NativeDecoderTest#testVideoPlayback pass
-03-22 18:58:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaExtractorTest#testExtractFromAMediaDataSource)
-03-22 18:58:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaExtractorTest#testExtractFromAMediaDataSource, {})
-03-22 18:58:55 I/ConsoleReporter: [242/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaExtractorTest#testExtractFromAMediaDataSource pass
-03-22 18:58:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaExtractorTest#testExtractorFailsIfMediaDataSourceReturnsAnError)
-03-22 18:58:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaExtractorTest#testExtractorFailsIfMediaDataSourceReturnsAnError, {})
-03-22 18:58:55 I/ConsoleReporter: [243/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaExtractorTest#testExtractorFailsIfMediaDataSourceReturnsAnError pass
-03-22 18:58:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaExtractorTest#testExtractorFailsIfMediaDataSourceThrows)
-03-22 18:58:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaExtractorTest#testExtractorFailsIfMediaDataSourceThrows, {})
-03-22 18:58:55 I/ConsoleReporter: [244/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaExtractorTest#testExtractorFailsIfMediaDataSourceThrows pass
-03-22 18:58:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaExtractorTest#testMediaDataSourceIsClosedOnRelease)
-03-22 18:58:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaExtractorTest#testMediaDataSourceIsClosedOnRelease, {})
-03-22 18:58:56 I/ConsoleReporter: [245/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaExtractorTest#testMediaDataSourceIsClosedOnRelease pass
-03-22 18:58:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaExtractorTest#testNullMediaDataSourceIsRejected)
-03-22 18:58:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaExtractorTest#testNullMediaDataSourceIsRejected, {})
-03-22 18:58:56 I/ConsoleReporter: [246/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaExtractorTest#testNullMediaDataSourceIsRejected pass
-03-22 18:58:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerFlakyNetworkTest#test_S0P0)
-03-22 19:01:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerFlakyNetworkTest#test_S0P0, {})
-03-22 19:01:30 I/ConsoleReporter: [247/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerFlakyNetworkTest#test_S0P0 pass
-03-22 19:01:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerFlakyNetworkTest#test_S1P000005)
-03-22 19:06:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerFlakyNetworkTest#test_S1P000005, {})
-03-22 19:06:50 I/ConsoleReporter: [248/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerFlakyNetworkTest#test_S1P000005 pass
-03-22 19:06:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerFlakyNetworkTest#test_S2P00001)
-03-22 19:12:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerFlakyNetworkTest#test_S2P00001, {})
-03-22 19:12:43 I/ConsoleReporter: [249/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerFlakyNetworkTest#test_S2P00001 pass
-03-22 19:12:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerFlakyNetworkTest#test_S3P00001)
-03-22 19:18:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerFlakyNetworkTest#test_S3P00001, {})
-03-22 19:18:48 I/ConsoleReporter: [250/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerFlakyNetworkTest#test_S3P00001 pass
-03-22 19:18:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerFlakyNetworkTest#test_S4P00001)
-03-22 19:24:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerFlakyNetworkTest#test_S4P00001, {})
-03-22 19:24:58 I/ConsoleReporter: [251/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerFlakyNetworkTest#test_S4P00001 pass
-03-22 19:24:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerFlakyNetworkTest#test_S5P00001)
-03-22 19:31:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerFlakyNetworkTest#test_S5P00001, {})
-03-22 19:31:15 I/ConsoleReporter: [252/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerFlakyNetworkTest#test_S5P00001 pass
-03-22 19:31:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerFlakyNetworkTest#test_S6P00002)
-03-22 19:37:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerFlakyNetworkTest#test_S6P00002, {})
-03-22 19:37:20 I/ConsoleReporter: [253/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerFlakyNetworkTest#test_S6P00002 pass
-03-22 19:37:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolAacTest#testAutoPauseResume)
-03-22 19:37:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolAacTest#testAutoPauseResume, {})
-03-22 19:37:23 I/ConsoleReporter: [254/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolAacTest#testAutoPauseResume pass
-03-22 19:37:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolAacTest#testLoad)
-03-22 19:37:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolAacTest#testLoad, {})
-03-22 19:37:25 I/ConsoleReporter: [255/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolAacTest#testLoad pass
-03-22 19:37:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolAacTest#testLoadMore)
-03-22 19:37:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolAacTest#testLoadMore, {})
-03-22 19:37:31 I/ConsoleReporter: [256/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolAacTest#testLoadMore pass
-03-22 19:37:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolAacTest#testMultiSound)
-03-22 19:37:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolAacTest#testMultiSound, {})
-03-22 19:37:45 I/ConsoleReporter: [257/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolAacTest#testMultiSound pass
-03-22 19:37:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolAacTest#testSoundPoolOp)
-03-22 19:38:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolAacTest#testSoundPoolOp, {})
-03-22 19:38:02 I/ConsoleReporter: [258/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolAacTest#testSoundPoolOp pass
-03-22 19:38:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testMediaCodecXmlFileExist)
-03-22 19:38:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testMediaCodecXmlFileExist, {})
-03-22 19:38:02 I/ConsoleReporter: [259/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testMediaCodecXmlFileExist pass
-03-22 19:38:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testAllComponentInstantiation)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testAllComponentInstantiation, {})
-03-22 19:38:03 I/ConsoleReporter: [260/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testAllComponentInstantiation pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testFindDecoderWithAacProfile)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testFindDecoderWithAacProfile, {})
-03-22 19:38:03 I/ConsoleReporter: [261/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testFindDecoderWithAacProfile pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testFindEncoderWithAacProfile)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testFindEncoderWithAacProfile, {})
-03-22 19:38:03 I/ConsoleReporter: [262/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testFindEncoderWithAacProfile pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testGetAllCapabilities)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testGetAllCapabilities, {})
-03-22 19:38:03 I/ConsoleReporter: [263/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testGetAllCapabilities pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testGetLegacyCapabilities)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testGetLegacyCapabilities, {})
-03-22 19:38:03 I/ConsoleReporter: [264/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testGetLegacyCapabilities pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testGetRegularCapabilities)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testGetRegularCapabilities, {})
-03-22 19:38:03 I/ConsoleReporter: [265/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testGetRegularCapabilities pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testLegacyComponentInstantiation)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testLegacyComponentInstantiation, {})
-03-22 19:38:03 I/ConsoleReporter: [266/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testLegacyComponentInstantiation pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testLegacyMediaCodecListIsSameAsRegular)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testLegacyMediaCodecListIsSameAsRegular, {})
-03-22 19:38:03 I/ConsoleReporter: [267/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testLegacyMediaCodecListIsSameAsRegular pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testRegularComponentInstantiation)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testRegularComponentInstantiation, {})
-03-22 19:38:03 I/ConsoleReporter: [268/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testRegularComponentInstantiation pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testRegularMediaCodecListIsASubsetOfAll)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testRegularMediaCodecListIsASubsetOfAll, {})
-03-22 19:38:03 I/ConsoleReporter: [269/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testRegularMediaCodecListIsASubsetOfAll pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecListTest#testRequiredMediaCodecList)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecListTest#testRequiredMediaCodecList, {})
-03-22 19:38:03 I/ConsoleReporter: [270/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecListTest#testRequiredMediaCodecList pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RemoteControllerTest#testClearArtworkConfiguration)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RemoteControllerTest#testClearArtworkConfiguration, {})
-03-22 19:38:03 I/ConsoleReporter: [271/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RemoteControllerTest#testClearArtworkConfiguration pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RemoteControllerTest#testEditMetadata)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RemoteControllerTest#testEditMetadata, {})
-03-22 19:38:03 I/ConsoleReporter: [272/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RemoteControllerTest#testEditMetadata pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RemoteControllerTest#testGetEstimatedMediaPosition)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RemoteControllerTest#testGetEstimatedMediaPosition, {})
-03-22 19:38:03 I/ConsoleReporter: [273/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RemoteControllerTest#testGetEstimatedMediaPosition pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RemoteControllerTest#testOnClientUpdateListenerUnchanged)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RemoteControllerTest#testOnClientUpdateListenerUnchanged, {})
-03-22 19:38:03 I/ConsoleReporter: [274/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RemoteControllerTest#testOnClientUpdateListenerUnchanged pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RemoteControllerTest#testSeekTo)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RemoteControllerTest#testSeekTo, {})
-03-22 19:38:03 I/ConsoleReporter: [275/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RemoteControllerTest#testSeekTo pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RemoteControllerTest#testSeekTo_negativeValues)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RemoteControllerTest#testSeekTo_negativeValues, {})
-03-22 19:38:03 I/ConsoleReporter: [276/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RemoteControllerTest#testSeekTo_negativeValues pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RemoteControllerTest#testSendMediaKeyEvent)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RemoteControllerTest#testSendMediaKeyEvent, {})
-03-22 19:38:03 I/ConsoleReporter: [277/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RemoteControllerTest#testSendMediaKeyEvent pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RemoteControllerTest#testSetArtworkConfiguration)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RemoteControllerTest#testSetArtworkConfiguration, {})
-03-22 19:38:03 I/ConsoleReporter: [278/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RemoteControllerTest#testSetArtworkConfiguration pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RemoteControllerTest#testSetSynchronizationMode_unregisteredRemoteController)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RemoteControllerTest#testSetSynchronizationMode_unregisteredRemoteController, {})
-03-22 19:38:03 I/ConsoleReporter: [279/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RemoteControllerTest#testSetSynchronizationMode_unregisteredRemoteController pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testAllNonTunneledVideoCodecsSupportFlexibleYUV)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testAllNonTunneledVideoCodecsSupportFlexibleYUV, {})
-03-22 19:38:03 I/ConsoleReporter: [280/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testAllNonTunneledVideoCodecsSupportFlexibleYUV pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testAllVideoDecodersAreAdaptive)
-03-22 19:38:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testAllVideoDecodersAreAdaptive, {})
-03-22 19:38:03 I/ConsoleReporter: [281/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testAllVideoDecodersAreAdaptive pass
-03-22 19:38:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testAvcBaseline1)
-03-22 19:38:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testAvcBaseline1, {})
-03-22 19:38:04 I/ConsoleReporter: [282/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testAvcBaseline1 pass
-03-22 19:38:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testAvcBaseline12)
-03-22 19:38:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testAvcBaseline12, {})
-03-22 19:38:35 I/ConsoleReporter: [283/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testAvcBaseline12 pass
-03-22 19:38:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testAvcBaseline30)
-03-22 19:39:06 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testAvcBaseline30, {})
-03-22 19:39:06 I/ConsoleReporter: [284/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testAvcBaseline30 pass
-03-22 19:39:06 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testAvcHigh31)
-03-22 19:39:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testAvcHigh31, {})
-03-22 19:39:37 I/ConsoleReporter: [285/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testAvcHigh31 pass
-03-22 19:39:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testAvcHigh40)
-03-22 19:40:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testAvcHigh40, {})
-03-22 19:40:09 I/ConsoleReporter: [286/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testAvcHigh40 pass
-03-22 19:40:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testGetMaxSupportedInstances)
-03-22 19:40:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testGetMaxSupportedInstances, {})
-03-22 19:40:13 I/ConsoleReporter: [287/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testGetMaxSupportedInstances pass
-03-22 19:40:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testH263DecoderProfileAndLevel)
-03-22 19:40:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testH263DecoderProfileAndLevel, {})
-03-22 19:40:13 I/ConsoleReporter: [288/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testH263DecoderProfileAndLevel pass
-03-22 19:40:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testH263EncoderProfileAndLevel)
-03-22 19:40:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testH263EncoderProfileAndLevel, {})
-03-22 19:40:14 I/ConsoleReporter: [289/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testH263EncoderProfileAndLevel pass
-03-22 19:40:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testH264DecoderProfileAndLevel)
-03-22 19:40:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testH264DecoderProfileAndLevel, {})
-03-22 19:40:14 I/ConsoleReporter: [290/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testH264DecoderProfileAndLevel pass
-03-22 19:40:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testH264EncoderProfileAndLevel)
-03-22 19:40:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testH264EncoderProfileAndLevel, {})
-03-22 19:40:14 I/ConsoleReporter: [291/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testH264EncoderProfileAndLevel pass
-03-22 19:40:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testH265DecoderProfileAndLevel)
-03-22 19:40:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testH265DecoderProfileAndLevel, {})
-03-22 19:40:14 I/ConsoleReporter: [292/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testH265DecoderProfileAndLevel pass
-03-22 19:40:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testHaveAdaptiveVideoDecoderForAllSupportedFormats)
-03-22 19:40:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testHaveAdaptiveVideoDecoderForAllSupportedFormats, {})
-03-22 19:40:15 I/ConsoleReporter: [293/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testHaveAdaptiveVideoDecoderForAllSupportedFormats pass
-03-22 19:40:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain1)
-03-22 19:40:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain1, {})
-03-22 19:40:15 I/ConsoleReporter: [294/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testHevcMain1 pass
-03-22 19:40:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain2)
-03-22 19:40:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain2, {})
-03-22 19:40:15 I/ConsoleReporter: [295/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testHevcMain2 pass
-03-22 19:40:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain21)
-03-22 19:40:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain21, {})
-03-22 19:40:15 I/ConsoleReporter: [296/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testHevcMain21 pass
-03-22 19:40:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain3)
-03-22 19:40:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain3, {})
-03-22 19:40:16 I/ConsoleReporter: [297/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testHevcMain3 pass
-03-22 19:40:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain31)
-03-22 19:40:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain31, {})
-03-22 19:40:16 I/ConsoleReporter: [298/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testHevcMain31 pass
-03-22 19:40:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain4)
-03-22 19:40:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain4, {})
-03-22 19:40:16 I/ConsoleReporter: [299/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testHevcMain4 pass
-03-22 19:40:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain41)
-03-22 19:40:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain41, {})
-03-22 19:40:16 I/ConsoleReporter: [300/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testHevcMain41 pass
-03-22 19:40:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain5)
-03-22 19:40:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain5, {})
-03-22 19:40:16 I/ConsoleReporter: [301/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testHevcMain5 pass
-03-22 19:40:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain51)
-03-22 19:40:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testHevcMain51, {})
-03-22 19:40:17 I/ConsoleReporter: [302/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testHevcMain51 pass
-03-22 19:40:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testMpeg4DecoderProfileAndLevel)
-03-22 19:40:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testMpeg4DecoderProfileAndLevel, {})
-03-22 19:40:17 I/ConsoleReporter: [303/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testMpeg4DecoderProfileAndLevel pass
-03-22 19:40:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecCapabilitiesTest#testSecureCodecsAdvertiseSecurePlayback)
-03-22 19:40:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecCapabilitiesTest#testSecureCodecsAdvertiseSecurePlayback, {})
-03-22 19:40:17 I/ConsoleReporter: [304/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecCapabilitiesTest#testSecureCodecsAdvertiseSecurePlayback pass
-03-22 19:40:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSyncTest#testAudioBufferReturn)
-03-22 19:40:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSyncTest#testAudioBufferReturn, {})
-03-22 19:40:18 I/ConsoleReporter: [305/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSyncTest#testAudioBufferReturn pass
-03-22 19:40:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSyncTest#testFlush)
-03-22 19:40:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSyncTest#testFlush, {})
-03-22 19:40:18 I/ConsoleReporter: [306/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSyncTest#testFlush pass
-03-22 19:40:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSyncTest#testPlayAudio)
-03-22 19:40:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSyncTest#testPlayAudio, {})
-03-22 19:40:23 I/ConsoleReporter: [307/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSyncTest#testPlayAudio pass
-03-22 19:40:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSyncTest#testPlayAudioAndVideo)
-03-22 19:40:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSyncTest#testPlayAudioAndVideo, {})
-03-22 19:40:28 I/ConsoleReporter: [308/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSyncTest#testPlayAudioAndVideo pass
-03-22 19:40:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSyncTest#testPlayVideo)
-03-22 19:40:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSyncTest#testPlayVideo, {})
-03-22 19:40:32 I/ConsoleReporter: [309/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSyncTest#testPlayVideo pass
-03-22 19:40:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSyncTest#testPlaybackRateDouble)
-03-22 19:40:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSyncTest#testPlaybackRateDouble, {})
-03-22 19:40:36 I/ConsoleReporter: [310/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSyncTest#testPlaybackRateDouble pass
-03-22 19:40:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSyncTest#testPlaybackRateHalf)
-03-22 19:40:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSyncTest#testPlaybackRateHalf, {})
-03-22 19:40:44 I/ConsoleReporter: [311/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSyncTest#testPlaybackRateHalf pass
-03-22 19:40:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSyncTest#testPlaybackRateQuarter)
-03-22 19:40:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSyncTest#testPlaybackRateQuarter, {})
-03-22 19:40:52 I/ConsoleReporter: [312/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSyncTest#testPlaybackRateQuarter pass
-03-22 19:40:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSyncTest#testSetPlaybackParamsFail)
-03-22 19:40:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSyncTest#testSetPlaybackParamsFail, {})
-03-22 19:40:53 I/ConsoleReporter: [313/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSyncTest#testSetPlaybackParamsFail pass
-03-22 19:40:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSyncTest#testSetPlaybackParamsSucceed)
-03-22 19:40:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSyncTest#testSetPlaybackParamsSucceed, {})
-03-22 19:40:53 I/ConsoleReporter: [314/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSyncTest#testSetPlaybackParamsSucceed pass
-03-22 19:40:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263Flex1080p)
-03-22 19:40:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263Flex1080p, {})
-03-22 19:40:53 I/ConsoleReporter: [315/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263Flex1080p pass
-03-22 19:40:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263Flex360pWithIntraRefresh)
-03-22 19:40:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263Flex360pWithIntraRefresh, {})
-03-22 19:40:53 I/ConsoleReporter: [316/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263Flex360pWithIntraRefresh pass
-03-22 19:40:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263Flex480p)
-03-22 19:40:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263Flex480p, {})
-03-22 19:40:54 I/ConsoleReporter: [317/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263Flex480p pass
-03-22 19:40:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263Flex720p)
-03-22 19:40:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263Flex720p, {})
-03-22 19:40:54 I/ConsoleReporter: [318/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263Flex720p pass
-03-22 19:40:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263FlexArbitraryH)
-03-22 19:40:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263FlexArbitraryH, {})
-03-22 19:40:54 I/ConsoleReporter: [319/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263FlexArbitraryH pass
-03-22 19:40:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263FlexArbitraryW)
-03-22 19:40:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263FlexArbitraryW, {})
-03-22 19:40:54 I/ConsoleReporter: [320/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263FlexArbitraryW pass
-03-22 19:40:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263FlexMaxMax)
-03-22 19:40:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263FlexMaxMax, {})
-03-22 19:40:54 I/ConsoleReporter: [321/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263FlexMaxMax pass
-03-22 19:40:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263FlexMaxMin)
-03-22 19:40:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263FlexMaxMin, {})
-03-22 19:40:55 I/ConsoleReporter: [322/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263FlexMaxMin pass
-03-22 19:40:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263FlexMinMax)
-03-22 19:40:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263FlexMinMax, {})
-03-22 19:40:55 I/ConsoleReporter: [323/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263FlexMinMax pass
-03-22 19:40:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263FlexMinMin)
-03-22 19:40:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263FlexMinMin, {})
-03-22 19:40:56 I/ConsoleReporter: [324/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263FlexMinMin pass
-03-22 19:40:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263FlexNearMaxMax)
-03-22 19:40:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263FlexNearMaxMax, {})
-03-22 19:40:56 I/ConsoleReporter: [325/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263FlexNearMaxMax pass
-03-22 19:40:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263FlexNearMaxMin)
-03-22 19:40:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263FlexNearMaxMin, {})
-03-22 19:40:57 I/ConsoleReporter: [326/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263FlexNearMaxMin pass
-03-22 19:40:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263FlexNearMinMax)
-03-22 19:40:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263FlexNearMinMax, {})
-03-22 19:40:57 I/ConsoleReporter: [327/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263FlexNearMinMax pass
-03-22 19:40:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263FlexNearMinMin)
-03-22 19:40:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263FlexNearMinMin, {})
-03-22 19:40:57 I/ConsoleReporter: [328/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263FlexNearMinMin pass
-03-22 19:40:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263FlexQCIF)
-03-22 19:40:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263FlexQCIF, {})
-03-22 19:40:57 I/ConsoleReporter: [329/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263FlexQCIF pass
-03-22 19:40:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263Surf1080p)
-03-22 19:40:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263Surf1080p, {})
-03-22 19:40:58 I/ConsoleReporter: [330/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263Surf1080p pass
-03-22 19:40:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263Surf480p)
-03-22 19:40:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263Surf480p, {})
-03-22 19:40:58 I/ConsoleReporter: [331/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263Surf480p pass
-03-22 19:40:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263Surf720p)
-03-22 19:40:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263Surf720p, {})
-03-22 19:40:58 I/ConsoleReporter: [332/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263Surf720p pass
-03-22 19:40:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263SurfArbitraryH)
-03-22 19:40:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263SurfArbitraryH, {})
-03-22 19:40:58 I/ConsoleReporter: [333/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263SurfArbitraryH pass
-03-22 19:40:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263SurfArbitraryW)
-03-22 19:40:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263SurfArbitraryW, {})
-03-22 19:40:59 I/ConsoleReporter: [334/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263SurfArbitraryW pass
-03-22 19:40:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263SurfMaxMax)
-03-22 19:40:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263SurfMaxMax, {})
-03-22 19:40:59 I/ConsoleReporter: [335/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263SurfMaxMax pass
-03-22 19:40:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263SurfMaxMin)
-03-22 19:40:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263SurfMaxMin, {})
-03-22 19:40:59 I/ConsoleReporter: [336/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263SurfMaxMin pass
-03-22 19:40:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263SurfMinMax)
-03-22 19:40:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263SurfMinMax, {})
-03-22 19:40:59 I/ConsoleReporter: [337/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263SurfMinMax pass
-03-22 19:40:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263SurfMinMin)
-03-22 19:41:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263SurfMinMin, {})
-03-22 19:41:01 I/ConsoleReporter: [338/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263SurfMinMin pass
-03-22 19:41:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263SurfNearMaxMax)
-03-22 19:41:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263SurfNearMaxMax, {})
-03-22 19:41:01 I/ConsoleReporter: [339/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263SurfNearMaxMax pass
-03-22 19:41:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263SurfNearMaxMin)
-03-22 19:41:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263SurfNearMaxMin, {})
-03-22 19:41:01 I/ConsoleReporter: [340/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263SurfNearMaxMin pass
-03-22 19:41:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263SurfNearMinMax)
-03-22 19:41:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263SurfNearMinMax, {})
-03-22 19:41:01 I/ConsoleReporter: [341/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263SurfNearMinMax pass
-03-22 19:41:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263SurfNearMinMin)
-03-22 19:41:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263SurfNearMinMin, {})
-03-22 19:41:02 I/ConsoleReporter: [342/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263SurfNearMinMin pass
-03-22 19:41:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH263SurfQCIF)
-03-22 19:41:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH263SurfQCIF, {})
-03-22 19:41:02 I/ConsoleReporter: [343/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH263SurfQCIF pass
-03-22 19:41:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264Flex1080p)
-03-22 19:41:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264Flex1080p, {})
-03-22 19:41:07 I/ConsoleReporter: [344/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264Flex1080p pass
-03-22 19:41:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264Flex360pWithIntraRefresh)
-03-22 19:41:10 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264Flex360pWithIntraRefresh, {})
-03-22 19:41:10 I/ConsoleReporter: [345/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264Flex360pWithIntraRefresh pass
-03-22 19:41:10 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264Flex480p)
-03-22 19:41:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264Flex480p, {})
-03-22 19:41:14 I/ConsoleReporter: [346/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264Flex480p pass
-03-22 19:41:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264Flex720p)
-03-22 19:41:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264Flex720p, {})
-03-22 19:41:18 I/ConsoleReporter: [347/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264Flex720p pass
-03-22 19:41:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264FlexArbitraryH)
-03-22 19:41:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264FlexArbitraryH, {})
-03-22 19:41:42 I/ConsoleReporter: [348/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264FlexArbitraryH pass
-03-22 19:41:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264FlexMaxMax)
-03-22 19:41:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264FlexMaxMax, {})
-03-22 19:41:47 I/ConsoleReporter: [349/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264FlexMaxMax pass
-03-22 19:41:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264FlexMaxMin)
-03-22 19:41:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264FlexMaxMin, {})
-03-22 19:41:50 I/ConsoleReporter: [350/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264FlexMaxMin pass
-03-22 19:41:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264FlexMinMax)
-03-22 19:41:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264FlexMinMax, {})
-03-22 19:41:53 I/ConsoleReporter: [351/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264FlexMinMax pass
-03-22 19:41:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264FlexMinMin)
-03-22 19:41:56 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264FlexMinMin, {})
-03-22 19:41:56 I/ConsoleReporter: [352/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264FlexMinMin pass
-03-22 19:41:56 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264FlexNearMaxMax)
-03-22 19:42:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264FlexNearMaxMax, {})
-03-22 19:42:12 I/ConsoleReporter: [353/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264FlexNearMaxMax pass
-03-22 19:42:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264FlexNearMaxMin)
-03-22 19:42:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264FlexNearMaxMin, {})
-03-22 19:42:20 I/ConsoleReporter: [354/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264FlexNearMaxMin pass
-03-22 19:42:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264FlexNearMinMax)
-03-22 19:42:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264FlexNearMinMax, {})
-03-22 19:42:28 I/ConsoleReporter: [355/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264FlexNearMinMax pass
-03-22 19:42:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264FlexNearMinMin)
-03-22 19:42:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264FlexNearMinMin, {})
-03-22 19:42:36 I/ConsoleReporter: [356/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264FlexNearMinMin pass
-03-22 19:42:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264FlexQCIF)
-03-22 19:42:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264FlexQCIF, {})
-03-22 19:42:39 I/ConsoleReporter: [357/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264FlexQCIF pass
-03-22 19:42:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264Surf1080p)
-03-22 19:42:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264Surf1080p, {})
-03-22 19:42:45 I/ConsoleReporter: [358/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264Surf1080p pass
-03-22 19:42:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264Surf480p)
-03-22 19:42:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264Surf480p, {})
-03-22 19:42:48 I/ConsoleReporter: [359/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264Surf480p pass
-03-22 19:42:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264Surf720p)
-03-22 19:42:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264Surf720p, {})
-03-22 19:42:52 I/ConsoleReporter: [360/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264Surf720p pass
-03-22 19:42:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264SurfArbitraryH)
-03-22 19:43:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264SurfArbitraryH, {})
-03-22 19:43:17 I/ConsoleReporter: [361/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264SurfArbitraryH pass
-03-22 19:43:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264SurfMaxMax)
-03-22 19:43:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264SurfMaxMax, {})
-03-22 19:43:22 I/ConsoleReporter: [362/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264SurfMaxMax pass
-03-22 19:43:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264SurfMaxMin)
-03-22 19:43:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264SurfMaxMin, {})
-03-22 19:43:25 I/ConsoleReporter: [363/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264SurfMaxMin pass
-03-22 19:43:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264SurfMinMax)
-03-22 19:43:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264SurfMinMax, {})
-03-22 19:43:28 I/ConsoleReporter: [364/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264SurfMinMax pass
-03-22 19:43:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264SurfMinMin)
-03-22 19:43:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264SurfMinMin, {})
-03-22 19:43:31 I/ConsoleReporter: [365/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264SurfMinMin pass
-03-22 19:43:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264SurfNearMaxMax)
-03-22 19:43:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264SurfNearMaxMax, {})
-03-22 19:43:47 I/ConsoleReporter: [366/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264SurfNearMaxMax pass
-03-22 19:43:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264SurfNearMaxMin)
-03-22 19:43:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264SurfNearMaxMin, {})
-03-22 19:43:55 I/ConsoleReporter: [367/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264SurfNearMaxMin pass
-03-22 19:43:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264SurfNearMinMax)
-03-22 19:44:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264SurfNearMinMax, {})
-03-22 19:44:04 I/ConsoleReporter: [368/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264SurfNearMinMax pass
-03-22 19:44:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264SurfNearMinMin)
-03-22 19:44:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264SurfNearMinMin, {})
-03-22 19:44:12 I/ConsoleReporter: [369/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264SurfNearMinMin pass
-03-22 19:44:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH264SurfQCIF)
-03-22 19:44:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH264SurfQCIF, {})
-03-22 19:44:15 I/ConsoleReporter: [370/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH264SurfQCIF pass
-03-22 19:44:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265Flex1080p)
-03-22 19:44:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265Flex1080p, {})
-03-22 19:44:15 I/ConsoleReporter: [371/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265Flex1080p pass
-03-22 19:44:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265Flex360pWithIntraRefresh)
-03-22 19:44:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265Flex360pWithIntraRefresh, {})
-03-22 19:44:15 I/ConsoleReporter: [372/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265Flex360pWithIntraRefresh pass
-03-22 19:44:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265Flex480p)
-03-22 19:44:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265Flex480p, {})
-03-22 19:44:16 I/ConsoleReporter: [373/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265Flex480p pass
-03-22 19:44:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265Flex720p)
-03-22 19:44:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265Flex720p, {})
-03-22 19:44:16 I/ConsoleReporter: [374/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265Flex720p pass
-03-22 19:44:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265FlexArbitraryH)
-03-22 19:44:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265FlexArbitraryH, {})
-03-22 19:44:16 I/ConsoleReporter: [375/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265FlexArbitraryH pass
-03-22 19:44:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265FlexArbitraryW)
-03-22 19:44:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265FlexArbitraryW, {})
-03-22 19:44:16 I/ConsoleReporter: [376/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265FlexArbitraryW pass
-03-22 19:44:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265FlexMaxMax)
-03-22 19:44:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265FlexMaxMax, {})
-03-22 19:44:17 I/ConsoleReporter: [377/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265FlexMaxMax pass
-03-22 19:44:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265FlexMaxMin)
-03-22 19:44:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265FlexMaxMin, {})
-03-22 19:44:17 I/ConsoleReporter: [378/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265FlexMaxMin pass
-03-22 19:44:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265FlexMinMax)
-03-22 19:44:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265FlexMinMax, {})
-03-22 19:44:17 I/ConsoleReporter: [379/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265FlexMinMax pass
-03-22 19:44:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265FlexMinMin)
-03-22 19:44:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265FlexMinMin, {})
-03-22 19:44:17 I/ConsoleReporter: [380/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265FlexMinMin pass
-03-22 19:44:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265FlexNearMaxMax)
-03-22 19:44:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265FlexNearMaxMax, {})
-03-22 19:44:18 I/ConsoleReporter: [381/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265FlexNearMaxMax pass
-03-22 19:44:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265FlexNearMaxMin)
-03-22 19:44:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265FlexNearMaxMin, {})
-03-22 19:44:18 I/ConsoleReporter: [382/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265FlexNearMaxMin pass
-03-22 19:44:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265FlexNearMinMax)
-03-22 19:44:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265FlexNearMinMax, {})
-03-22 19:44:18 I/ConsoleReporter: [383/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265FlexNearMinMax pass
-03-22 19:44:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265FlexNearMinMin)
-03-22 19:44:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265FlexNearMinMin, {})
-03-22 19:44:18 I/ConsoleReporter: [384/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265FlexNearMinMin pass
-03-22 19:44:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265FlexQCIF)
-03-22 19:44:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265FlexQCIF, {})
-03-22 19:44:18 I/ConsoleReporter: [385/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265FlexQCIF pass
-03-22 19:44:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265Surf1080p)
-03-22 19:44:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265Surf1080p, {})
-03-22 19:44:19 I/ConsoleReporter: [386/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265Surf1080p pass
-03-22 19:44:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265Surf480p)
-03-22 19:44:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265Surf480p, {})
-03-22 19:44:19 I/ConsoleReporter: [387/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265Surf480p pass
-03-22 19:44:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265Surf720p)
-03-22 19:44:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265Surf720p, {})
-03-22 19:44:19 I/ConsoleReporter: [388/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265Surf720p pass
-03-22 19:44:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265SurfArbitraryH)
-03-22 19:44:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265SurfArbitraryH, {})
-03-22 19:44:20 I/ConsoleReporter: [389/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265SurfArbitraryH pass
-03-22 19:44:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265SurfArbitraryW)
-03-22 19:44:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265SurfArbitraryW, {})
-03-22 19:44:20 I/ConsoleReporter: [390/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265SurfArbitraryW pass
-03-22 19:44:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265SurfMaxMax)
-03-22 19:44:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265SurfMaxMax, {})
-03-22 19:44:20 I/ConsoleReporter: [391/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265SurfMaxMax pass
-03-22 19:44:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265SurfMaxMin)
-03-22 19:44:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265SurfMaxMin, {})
-03-22 19:44:20 I/ConsoleReporter: [392/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265SurfMaxMin pass
-03-22 19:44:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265SurfMinMax)
-03-22 19:44:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265SurfMinMax, {})
-03-22 19:44:21 I/ConsoleReporter: [393/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265SurfMinMax pass
-03-22 19:44:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265SurfMinMin)
-03-22 19:44:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265SurfMinMin, {})
-03-22 19:44:21 I/ConsoleReporter: [394/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265SurfMinMin pass
-03-22 19:44:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265SurfNearMaxMax)
-03-22 19:44:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265SurfNearMaxMax, {})
-03-22 19:44:21 I/ConsoleReporter: [395/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265SurfNearMaxMax pass
-03-22 19:44:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265SurfNearMaxMin)
-03-22 19:44:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265SurfNearMaxMin, {})
-03-22 19:44:21 I/ConsoleReporter: [396/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265SurfNearMaxMin pass
-03-22 19:44:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265SurfNearMinMax)
-03-22 19:44:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265SurfNearMinMax, {})
-03-22 19:44:22 I/ConsoleReporter: [397/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265SurfNearMinMax pass
-03-22 19:44:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265SurfNearMinMin)
-03-22 19:44:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265SurfNearMinMin, {})
-03-22 19:44:22 I/ConsoleReporter: [398/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265SurfNearMinMin pass
-03-22 19:44:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogH265SurfQCIF)
-03-22 19:44:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogH265SurfQCIF, {})
-03-22 19:44:22 I/ConsoleReporter: [399/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogH265SurfQCIF pass
-03-22 19:44:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4Flex1080p)
-03-22 19:44:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4Flex1080p, {})
-03-22 19:44:22 I/ConsoleReporter: [400/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4Flex1080p pass
-03-22 19:44:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4Flex360pWithIntraRefresh)
-03-22 19:44:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4Flex360pWithIntraRefresh, {})
-03-22 19:44:22 I/ConsoleReporter: [401/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4Flex360pWithIntraRefresh pass
-03-22 19:44:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4Flex480p)
-03-22 19:44:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4Flex480p, {})
-03-22 19:44:23 I/ConsoleReporter: [402/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4Flex480p pass
-03-22 19:44:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4Flex720p)
-03-22 19:44:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4Flex720p, {})
-03-22 19:44:23 I/ConsoleReporter: [403/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4Flex720p pass
-03-22 19:44:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexArbitraryH)
-03-22 19:44:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexArbitraryH, {})
-03-22 19:44:34 I/ConsoleReporter: [404/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4FlexArbitraryH pass
-03-22 19:44:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexArbitraryW)
-03-22 19:44:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexArbitraryW, {})
-03-22 19:44:40 I/ConsoleReporter: [405/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4FlexArbitraryW pass
-03-22 19:44:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMaxMax)
-03-22 19:44:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMaxMax, {})
-03-22 19:44:41 I/ConsoleReporter: [406/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMaxMax pass
-03-22 19:44:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMaxMin)
-03-22 19:44:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMaxMin, {})
-03-22 19:44:43 I/ConsoleReporter: [407/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMaxMin pass
-03-22 19:44:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMinMax)
-03-22 19:44:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMinMax, {})
-03-22 19:44:45 I/ConsoleReporter: [408/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMinMax pass
-03-22 19:44:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMinMin)
-03-22 19:44:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMinMin, {})
-03-22 19:44:47 I/ConsoleReporter: [409/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4FlexMinMin pass
-03-22 19:44:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMaxMax)
-03-22 19:44:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMaxMax, {})
-03-22 19:44:50 I/ConsoleReporter: [410/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMaxMax pass
-03-22 19:44:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMaxMin)
-03-22 19:44:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMaxMin, {})
-03-22 19:44:55 I/ConsoleReporter: [411/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMaxMin pass
-03-22 19:44:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMinMax)
-03-22 19:45:00 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMinMax, {})
-03-22 19:45:00 I/ConsoleReporter: [412/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMinMax pass
-03-22 19:45:00 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMinMin)
-03-22 19:45:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMinMin, {})
-03-22 19:45:05 I/ConsoleReporter: [413/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4FlexNearMinMin pass
-03-22 19:45:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexQCIF)
-03-22 19:45:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4FlexQCIF, {})
-03-22 19:45:05 I/ConsoleReporter: [414/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4FlexQCIF pass
-03-22 19:45:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4Surf1080p)
-03-22 19:45:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4Surf1080p, {})
-03-22 19:45:05 I/ConsoleReporter: [415/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4Surf1080p pass
-03-22 19:45:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4Surf480p)
-03-22 19:45:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4Surf480p, {})
-03-22 19:45:05 I/ConsoleReporter: [416/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4Surf480p pass
-03-22 19:45:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4Surf720p)
-03-22 19:45:06 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4Surf720p, {})
-03-22 19:45:06 I/ConsoleReporter: [417/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4Surf720p pass
-03-22 19:45:06 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfArbitraryH)
-03-22 19:45:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfArbitraryH, {})
-03-22 19:45:18 I/ConsoleReporter: [418/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4SurfArbitraryH pass
-03-22 19:45:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfArbitraryW)
-03-22 19:45:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfArbitraryW, {})
-03-22 19:45:25 I/ConsoleReporter: [419/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4SurfArbitraryW pass
-03-22 19:45:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMaxMax)
-03-22 19:45:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMaxMax, {})
-03-22 19:45:26 I/ConsoleReporter: [420/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMaxMax pass
-03-22 19:45:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMaxMin)
-03-22 19:45:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMaxMin, {})
-03-22 19:45:28 I/ConsoleReporter: [421/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMaxMin pass
-03-22 19:45:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMinMax)
-03-22 19:45:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMinMax, {})
-03-22 19:45:30 I/ConsoleReporter: [422/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMinMax pass
-03-22 19:45:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMinMin)
-03-22 19:45:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMinMin, {})
-03-22 19:45:32 I/ConsoleReporter: [423/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4SurfMinMin pass
-03-22 19:45:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMaxMax)
-03-22 19:45:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMaxMax, {})
-03-22 19:45:36 I/ConsoleReporter: [424/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMaxMax pass
-03-22 19:45:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMaxMin)
-03-22 19:45:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMaxMin, {})
-03-22 19:45:41 I/ConsoleReporter: [425/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMaxMin pass
-03-22 19:45:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMinMax)
-03-22 19:45:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMinMax, {})
-03-22 19:45:46 I/ConsoleReporter: [426/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMinMax pass
-03-22 19:45:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMinMin)
-03-22 19:45:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMinMin, {})
-03-22 19:45:52 I/ConsoleReporter: [427/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4SurfNearMinMin pass
-03-22 19:45:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfQCIF)
-03-22 19:45:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogMpeg4SurfQCIF, {})
-03-22 19:45:52 I/ConsoleReporter: [428/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogMpeg4SurfQCIF pass
-03-22 19:45:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8Flex1080p)
-03-22 19:45:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8Flex1080p, {})
-03-22 19:45:58 I/ConsoleReporter: [429/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8Flex1080p pass
-03-22 19:45:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8Flex360pWithIntraRefresh)
-03-22 19:45:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8Flex360pWithIntraRefresh, {})
-03-22 19:45:58 I/ConsoleReporter: [430/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8Flex360pWithIntraRefresh pass
-03-22 19:45:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8Flex480p)
-03-22 19:46:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8Flex480p, {})
-03-22 19:46:02 I/ConsoleReporter: [431/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8Flex480p pass
-03-22 19:46:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8Flex720p)
-03-22 19:46:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8Flex720p, {})
-03-22 19:46:07 I/ConsoleReporter: [432/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8Flex720p pass
-03-22 19:46:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8FlexArbitraryH)
-03-22 19:46:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8FlexArbitraryH, {})
-03-22 19:46:40 I/ConsoleReporter: [433/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8FlexArbitraryH pass
-03-22 19:46:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8FlexArbitraryW)
-03-22 19:47:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8FlexArbitraryW, {})
-03-22 19:47:14 I/ConsoleReporter: [434/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8FlexArbitraryW pass
-03-22 19:47:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8FlexMaxMax)
-03-22 19:47:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8FlexMaxMax, {})
-03-22 19:47:25 I/ConsoleReporter: [435/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8FlexMaxMax pass
-03-22 19:47:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8FlexMaxMin)
-03-22 19:47:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8FlexMaxMin, {})
-03-22 19:47:27 I/ConsoleReporter: [436/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8FlexMaxMin pass
-03-22 19:47:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8FlexMinMax)
-03-22 19:47:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8FlexMinMax, {})
-03-22 19:47:28 I/ConsoleReporter: [437/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8FlexMinMax pass
-03-22 19:47:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8FlexMinMin)
-03-22 19:47:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8FlexMinMin, {})
-03-22 19:47:30 I/ConsoleReporter: [438/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8FlexMinMin pass
-03-22 19:47:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMaxMax)
-03-22 19:48:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMaxMax, {})
-03-22 19:48:02 I/ConsoleReporter: [439/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMaxMax pass
-03-22 19:48:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMaxMin)
-03-22 19:48:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMaxMin, {})
-03-22 19:48:07 I/ConsoleReporter: [440/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMaxMin pass
-03-22 19:48:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMinMax)
-03-22 19:48:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMinMax, {})
-03-22 19:48:12 I/ConsoleReporter: [441/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMinMax pass
-03-22 19:48:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMinMin)
-03-22 19:48:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMinMin, {})
-03-22 19:48:17 I/ConsoleReporter: [442/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8FlexNearMinMin pass
-03-22 19:48:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8FlexQCIF)
-03-22 19:48:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8FlexQCIF, {})
-03-22 19:48:20 I/ConsoleReporter: [443/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8FlexQCIF pass
-03-22 19:48:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8Surf1080p)
-03-22 19:48:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8Surf1080p, {})
-03-22 19:48:25 I/ConsoleReporter: [444/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8Surf1080p pass
-03-22 19:48:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8Surf480p)
-03-22 19:48:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8Surf480p, {})
-03-22 19:48:29 I/ConsoleReporter: [445/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8Surf480p pass
-03-22 19:48:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8Surf720p)
-03-22 19:48:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8Surf720p, {})
-03-22 19:48:34 I/ConsoleReporter: [446/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8Surf720p pass
-03-22 19:48:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8SurfArbitraryH)
-03-22 19:49:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8SurfArbitraryH, {})
-03-22 19:49:05 I/ConsoleReporter: [447/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8SurfArbitraryH pass
-03-22 19:49:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8SurfArbitraryW)
-03-22 19:49:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8SurfArbitraryW, {})
-03-22 19:49:36 I/ConsoleReporter: [448/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8SurfArbitraryW pass
-03-22 19:49:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8SurfMaxMax)
-03-22 19:49:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8SurfMaxMax, {})
-03-22 19:49:45 I/ConsoleReporter: [449/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8SurfMaxMax pass
-03-22 19:49:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8SurfMaxMin)
-03-22 19:49:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8SurfMaxMin, {})
-03-22 19:49:47 I/ConsoleReporter: [450/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8SurfMaxMin pass
-03-22 19:49:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8SurfMinMax)
-03-22 19:49:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8SurfMinMax, {})
-03-22 19:49:48 I/ConsoleReporter: [451/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8SurfMinMax pass
-03-22 19:49:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8SurfMinMin)
-03-22 19:49:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8SurfMinMin, {})
-03-22 19:49:50 I/ConsoleReporter: [452/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8SurfMinMin pass
-03-22 19:49:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMaxMax)
-03-22 19:50:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMaxMax, {})
-03-22 19:50:16 I/ConsoleReporter: [453/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMaxMax pass
-03-22 19:50:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMaxMin)
-03-22 19:50:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMaxMin, {})
-03-22 19:50:21 I/ConsoleReporter: [454/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMaxMin pass
-03-22 19:50:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMinMax)
-03-22 19:50:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMinMax, {})
-03-22 19:50:26 I/ConsoleReporter: [455/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMinMax pass
-03-22 19:50:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMinMin)
-03-22 19:50:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMinMin, {})
-03-22 19:50:32 I/ConsoleReporter: [456/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8SurfNearMinMin pass
-03-22 19:50:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP8SurfQCIF)
-03-22 19:50:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP8SurfQCIF, {})
-03-22 19:50:35 I/ConsoleReporter: [457/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP8SurfQCIF pass
-03-22 19:50:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9Flex1080p)
-03-22 19:50:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9Flex1080p, {})
-03-22 19:50:35 I/ConsoleReporter: [458/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9Flex1080p pass
-03-22 19:50:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9Flex480p)
-03-22 19:50:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9Flex480p, {})
-03-22 19:50:35 I/ConsoleReporter: [459/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9Flex480p pass
-03-22 19:50:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9Flex720p)
-03-22 19:50:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9Flex720p, {})
-03-22 19:50:35 I/ConsoleReporter: [460/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9Flex720p pass
-03-22 19:50:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9FlexArbitraryH)
-03-22 19:50:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9FlexArbitraryH, {})
-03-22 19:50:36 I/ConsoleReporter: [461/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9FlexArbitraryH pass
-03-22 19:50:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9FlexArbitraryW)
-03-22 19:50:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9FlexArbitraryW, {})
-03-22 19:50:36 I/ConsoleReporter: [462/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9FlexArbitraryW pass
-03-22 19:50:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9FlexMaxMax)
-03-22 19:50:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9FlexMaxMax, {})
-03-22 19:50:36 I/ConsoleReporter: [463/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9FlexMaxMax pass
-03-22 19:50:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9FlexMaxMin)
-03-22 19:50:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9FlexMaxMin, {})
-03-22 19:50:36 I/ConsoleReporter: [464/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9FlexMaxMin pass
-03-22 19:50:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9FlexMinMax)
-03-22 19:50:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9FlexMinMax, {})
-03-22 19:50:37 I/ConsoleReporter: [465/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9FlexMinMax pass
-03-22 19:50:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9FlexMinMin)
-03-22 19:50:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9FlexMinMin, {})
-03-22 19:50:37 I/ConsoleReporter: [466/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9FlexMinMin pass
-03-22 19:50:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMaxMax)
-03-22 19:50:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMaxMax, {})
-03-22 19:50:37 I/ConsoleReporter: [467/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMaxMax pass
-03-22 19:50:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMaxMin)
-03-22 19:50:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMaxMin, {})
-03-22 19:50:37 I/ConsoleReporter: [468/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMaxMin pass
-03-22 19:50:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMinMax)
-03-22 19:50:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMinMax, {})
-03-22 19:50:38 I/ConsoleReporter: [469/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMinMax pass
-03-22 19:50:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMinMin)
-03-22 19:50:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMinMin, {})
-03-22 19:50:38 I/ConsoleReporter: [470/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9FlexNearMinMin pass
-03-22 19:50:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9FlexQCIF)
-03-22 19:50:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9FlexQCIF, {})
-03-22 19:50:38 I/ConsoleReporter: [471/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9FlexQCIF pass
-03-22 19:50:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9Surf1080p)
-03-22 19:50:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9Surf1080p, {})
-03-22 19:50:38 I/ConsoleReporter: [472/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9Surf1080p pass
-03-22 19:50:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9Surf480p)
-03-22 19:50:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9Surf480p, {})
-03-22 19:50:39 I/ConsoleReporter: [473/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9Surf480p pass
-03-22 19:50:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9Surf720p)
-03-22 19:50:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9Surf720p, {})
-03-22 19:50:39 I/ConsoleReporter: [474/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9Surf720p pass
-03-22 19:50:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9SurfArbitraryH)
-03-22 19:50:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9SurfArbitraryH, {})
-03-22 19:50:39 I/ConsoleReporter: [475/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9SurfArbitraryH pass
-03-22 19:50:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9SurfArbitraryW)
-03-22 19:50:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9SurfArbitraryW, {})
-03-22 19:50:39 I/ConsoleReporter: [476/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9SurfArbitraryW pass
-03-22 19:50:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9SurfMaxMax)
-03-22 19:50:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9SurfMaxMax, {})
-03-22 19:50:40 I/ConsoleReporter: [477/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9SurfMaxMax pass
-03-22 19:50:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9SurfMaxMin)
-03-22 19:50:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9SurfMaxMin, {})
-03-22 19:50:40 I/ConsoleReporter: [478/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9SurfMaxMin pass
-03-22 19:50:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9SurfMinMax)
-03-22 19:50:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9SurfMinMax, {})
-03-22 19:50:40 I/ConsoleReporter: [479/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9SurfMinMax pass
-03-22 19:50:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9SurfMinMin)
-03-22 19:50:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9SurfMinMin, {})
-03-22 19:50:41 I/ConsoleReporter: [480/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9SurfMinMin pass
-03-22 19:50:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMaxMax)
-03-22 19:50:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMaxMax, {})
-03-22 19:50:41 I/ConsoleReporter: [481/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMaxMax pass
-03-22 19:50:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMaxMin)
-03-22 19:50:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMaxMin, {})
-03-22 19:50:41 I/ConsoleReporter: [482/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMaxMin pass
-03-22 19:50:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMinMax)
-03-22 19:50:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMinMax, {})
-03-22 19:50:41 I/ConsoleReporter: [483/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMinMax pass
-03-22 19:50:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMinMin)
-03-22 19:50:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMinMin, {})
-03-22 19:50:41 I/ConsoleReporter: [484/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9SurfNearMinMin pass
-03-22 19:50:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testGoogVP9SurfQCIF)
-03-22 19:50:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testGoogVP9SurfQCIF, {})
-03-22 19:50:42 I/ConsoleReporter: [485/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testGoogVP9SurfQCIF pass
-03-22 19:50:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testH264Flex1080p30fps10Mbps)
-03-22 19:50:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testH264Flex1080p30fps10Mbps, {})
-03-22 19:50:47 I/ConsoleReporter: [486/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testH264Flex1080p30fps10Mbps pass
-03-22 19:50:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testH264Flex480p30fps2Mbps)
-03-22 19:50:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testH264Flex480p30fps2Mbps, {})
-03-22 19:50:50 I/ConsoleReporter: [487/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testH264Flex480p30fps2Mbps pass
-03-22 19:50:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testH264Flex720p30fps4Mbps)
-03-22 19:50:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testH264Flex720p30fps4Mbps, {})
-03-22 19:50:54 I/ConsoleReporter: [488/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testH264Flex720p30fps4Mbps pass
-03-22 19:50:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testH264FlexQVGA20fps384kbps)
-03-22 19:50:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testH264FlexQVGA20fps384kbps, {})
-03-22 19:50:57 I/ConsoleReporter: [489/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testH264FlexQVGA20fps384kbps pass
-03-22 19:50:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testH264HighQualitySDSupport)
-03-22 19:50:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testH264HighQualitySDSupport, {})
-03-22 19:50:57 I/ConsoleReporter: [490/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testH264HighQualitySDSupport pass
-03-22 19:50:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testH264LowQualitySDSupport)
-03-22 19:50:58 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testH264LowQualitySDSupport, {})
-03-22 19:50:58 I/ConsoleReporter: [491/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testH264LowQualitySDSupport pass
-03-22 19:50:58 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testH264Surf1080p30fps10Mbps)
-03-22 19:51:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testH264Surf1080p30fps10Mbps, {})
-03-22 19:51:03 I/ConsoleReporter: [492/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testH264Surf1080p30fps10Mbps pass
-03-22 19:51:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testH264Surf480p30fps2Mbps)
-03-22 19:51:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testH264Surf480p30fps2Mbps, {})
-03-22 19:51:07 I/ConsoleReporter: [493/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testH264Surf480p30fps2Mbps pass
-03-22 19:51:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testH264Surf720p30fps4Mbps)
-03-22 19:51:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testH264Surf720p30fps4Mbps, {})
-03-22 19:51:11 I/ConsoleReporter: [494/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testH264Surf720p30fps4Mbps pass
-03-22 19:51:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testH264SurfQVGA20fps384kbps)
-03-22 19:51:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testH264SurfQVGA20fps384kbps, {})
-03-22 19:51:14 I/ConsoleReporter: [495/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testH264SurfQVGA20fps384kbps pass
-03-22 19:51:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263Flex1080p)
-03-22 19:51:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263Flex1080p, {})
-03-22 19:51:14 I/ConsoleReporter: [496/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263Flex1080p pass
-03-22 19:51:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263Flex480p)
-03-22 19:51:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263Flex480p, {})
-03-22 19:51:14 I/ConsoleReporter: [497/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263Flex480p pass
-03-22 19:51:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263Flex720p)
-03-22 19:51:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263Flex720p, {})
-03-22 19:51:14 I/ConsoleReporter: [498/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263Flex720p pass
-03-22 19:51:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexArbitraryH)
-03-22 19:51:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexArbitraryH, {})
-03-22 19:51:15 I/ConsoleReporter: [499/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexArbitraryH pass
-03-22 19:51:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexArbitraryW)
-03-22 19:51:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexArbitraryW, {})
-03-22 19:51:15 I/ConsoleReporter: [500/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexArbitraryW pass
-03-22 19:51:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexMaxMax)
-03-22 19:51:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexMaxMax, {})
-03-22 19:51:15 I/ConsoleReporter: [501/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexMaxMax pass
-03-22 19:51:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexMaxMin)
-03-22 19:51:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexMaxMin, {})
-03-22 19:51:15 I/ConsoleReporter: [502/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexMaxMin pass
-03-22 19:51:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexMinMax)
-03-22 19:51:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexMinMax, {})
-03-22 19:51:15 I/ConsoleReporter: [503/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexMinMax pass
-03-22 19:51:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexMinMin)
-03-22 19:51:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexMinMin, {})
-03-22 19:51:16 I/ConsoleReporter: [504/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexMinMin pass
-03-22 19:51:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexNearMaxMax)
-03-22 19:51:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexNearMaxMax, {})
-03-22 19:51:16 I/ConsoleReporter: [505/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexNearMaxMax pass
-03-22 19:51:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexNearMaxMin)
-03-22 19:51:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexNearMaxMin, {})
-03-22 19:51:16 I/ConsoleReporter: [506/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexNearMaxMin pass
-03-22 19:51:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexNearMinMax)
-03-22 19:51:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexNearMinMax, {})
-03-22 19:51:16 I/ConsoleReporter: [507/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexNearMinMax pass
-03-22 19:51:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexNearMinMin)
-03-22 19:51:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexNearMinMin, {})
-03-22 19:51:17 I/ConsoleReporter: [508/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexNearMinMin pass
-03-22 19:51:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexQCIF)
-03-22 19:51:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexQCIF, {})
-03-22 19:51:17 I/ConsoleReporter: [509/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexQCIF pass
-03-22 19:51:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263FlexQCIFWithIntraRefresh)
-03-22 19:51:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263FlexQCIFWithIntraRefresh, {})
-03-22 19:51:17 I/ConsoleReporter: [510/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263FlexQCIFWithIntraRefresh pass
-03-22 19:51:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263Surf1080p)
-03-22 19:51:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263Surf1080p, {})
-03-22 19:51:17 I/ConsoleReporter: [511/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263Surf1080p pass
-03-22 19:51:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263Surf480p)
-03-22 19:51:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263Surf480p, {})
-03-22 19:51:18 I/ConsoleReporter: [512/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263Surf480p pass
-03-22 19:51:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263Surf720p)
-03-22 19:51:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263Surf720p, {})
-03-22 19:51:18 I/ConsoleReporter: [513/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263Surf720p pass
-03-22 19:51:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263SurfArbitraryH)
-03-22 19:51:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263SurfArbitraryH, {})
-03-22 19:51:18 I/ConsoleReporter: [514/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263SurfArbitraryH pass
-03-22 19:51:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263SurfArbitraryW)
-03-22 19:51:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263SurfArbitraryW, {})
-03-22 19:51:18 I/ConsoleReporter: [515/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263SurfArbitraryW pass
-03-22 19:51:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263SurfMaxMax)
-03-22 19:51:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263SurfMaxMax, {})
-03-22 19:51:18 I/ConsoleReporter: [516/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263SurfMaxMax pass
-03-22 19:51:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263SurfMaxMin)
-03-22 19:51:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263SurfMaxMin, {})
-03-22 19:51:19 I/ConsoleReporter: [517/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263SurfMaxMin pass
-03-22 19:51:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263SurfMinMax)
-03-22 19:51:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263SurfMinMax, {})
-03-22 19:51:19 I/ConsoleReporter: [518/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263SurfMinMax pass
-03-22 19:51:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263SurfMinMin)
-03-22 19:51:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263SurfMinMin, {})
-03-22 19:51:19 I/ConsoleReporter: [519/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263SurfMinMin pass
-03-22 19:51:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263SurfNearMaxMax)
-03-22 19:51:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263SurfNearMaxMax, {})
-03-22 19:51:19 I/ConsoleReporter: [520/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263SurfNearMaxMax pass
-03-22 19:51:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263SurfNearMaxMin)
-03-22 19:51:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263SurfNearMaxMin, {})
-03-22 19:51:19 I/ConsoleReporter: [521/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263SurfNearMaxMin pass
-03-22 19:51:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263SurfNearMinMax)
-03-22 19:51:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263SurfNearMinMax, {})
-03-22 19:51:20 I/ConsoleReporter: [522/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263SurfNearMinMax pass
-03-22 19:51:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263SurfNearMinMin)
-03-22 19:51:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263SurfNearMinMin, {})
-03-22 19:51:20 I/ConsoleReporter: [523/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263SurfNearMinMin pass
-03-22 19:51:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH263SurfQCIF)
-03-22 19:51:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH263SurfQCIF, {})
-03-22 19:51:20 I/ConsoleReporter: [524/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH263SurfQCIF pass
-03-22 19:51:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264Flex1080p)
-03-22 19:51:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264Flex1080p, {})
-03-22 19:51:20 I/ConsoleReporter: [525/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264Flex1080p pass
-03-22 19:51:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264Flex360pWithIntraRefresh)
-03-22 19:51:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264Flex360pWithIntraRefresh, {})
-03-22 19:51:21 I/ConsoleReporter: [526/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264Flex360pWithIntraRefresh pass
-03-22 19:51:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264Flex480p)
-03-22 19:51:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264Flex480p, {})
-03-22 19:51:21 I/ConsoleReporter: [527/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264Flex480p pass
-03-22 19:51:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264Flex720p)
-03-22 19:51:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264Flex720p, {})
-03-22 19:51:21 I/ConsoleReporter: [528/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264Flex720p pass
-03-22 19:51:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264FlexArbitraryH)
-03-22 19:51:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264FlexArbitraryH, {})
-03-22 19:51:21 I/ConsoleReporter: [529/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264FlexArbitraryH pass
-03-22 19:51:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264FlexArbitraryW)
-03-22 19:51:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264FlexArbitraryW, {})
-03-22 19:51:22 I/ConsoleReporter: [530/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264FlexArbitraryW pass
-03-22 19:51:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264FlexMaxMax)
-03-22 19:51:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264FlexMaxMax, {})
-03-22 19:51:22 I/ConsoleReporter: [531/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264FlexMaxMax pass
-03-22 19:51:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264FlexMaxMin)
-03-22 19:51:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264FlexMaxMin, {})
-03-22 19:51:22 I/ConsoleReporter: [532/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264FlexMaxMin pass
-03-22 19:51:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264FlexMinMax)
-03-22 19:51:22 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264FlexMinMax, {})
-03-22 19:51:22 I/ConsoleReporter: [533/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264FlexMinMax pass
-03-22 19:51:22 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264FlexMinMin)
-03-22 19:51:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264FlexMinMin, {})
-03-22 19:51:23 I/ConsoleReporter: [534/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264FlexMinMin pass
-03-22 19:51:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264FlexNearMaxMax)
-03-22 19:51:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264FlexNearMaxMax, {})
-03-22 19:51:23 I/ConsoleReporter: [535/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264FlexNearMaxMax pass
-03-22 19:51:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264FlexNearMaxMin)
-03-22 19:51:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264FlexNearMaxMin, {})
-03-22 19:51:23 I/ConsoleReporter: [536/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264FlexNearMaxMin pass
-03-22 19:51:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264FlexNearMinMax)
-03-22 19:51:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264FlexNearMinMax, {})
-03-22 19:51:23 I/ConsoleReporter: [537/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264FlexNearMinMax pass
-03-22 19:51:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264FlexNearMinMin)
-03-22 19:51:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264FlexNearMinMin, {})
-03-22 19:51:24 I/ConsoleReporter: [538/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264FlexNearMinMin pass
-03-22 19:51:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264FlexQCIF)
-03-22 19:51:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264FlexQCIF, {})
-03-22 19:51:24 I/ConsoleReporter: [539/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264FlexQCIF pass
-03-22 19:51:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264Surf1080p)
-03-22 19:51:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264Surf1080p, {})
-03-22 19:51:24 I/ConsoleReporter: [540/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264Surf1080p pass
-03-22 19:51:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264Surf480p)
-03-22 19:51:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264Surf480p, {})
-03-22 19:51:24 I/ConsoleReporter: [541/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264Surf480p pass
-03-22 19:51:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264Surf720p)
-03-22 19:51:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264Surf720p, {})
-03-22 19:51:25 I/ConsoleReporter: [542/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264Surf720p pass
-03-22 19:51:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264SurfArbitraryH)
-03-22 19:51:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264SurfArbitraryH, {})
-03-22 19:51:25 I/ConsoleReporter: [543/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264SurfArbitraryH pass
-03-22 19:51:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264SurfArbitraryW)
-03-22 19:51:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264SurfArbitraryW, {})
-03-22 19:51:25 I/ConsoleReporter: [544/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264SurfArbitraryW pass
-03-22 19:51:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264SurfMaxMax)
-03-22 19:51:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264SurfMaxMax, {})
-03-22 19:51:25 I/ConsoleReporter: [545/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264SurfMaxMax pass
-03-22 19:51:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264SurfMaxMin)
-03-22 19:51:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264SurfMaxMin, {})
-03-22 19:51:25 I/ConsoleReporter: [546/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264SurfMaxMin pass
-03-22 19:51:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264SurfMinMax)
-03-22 19:51:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264SurfMinMax, {})
-03-22 19:51:26 I/ConsoleReporter: [547/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264SurfMinMax pass
-03-22 19:51:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264SurfMinMin)
-03-22 19:51:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264SurfMinMin, {})
-03-22 19:51:26 I/ConsoleReporter: [548/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264SurfMinMin pass
-03-22 19:51:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264SurfNearMaxMax)
-03-22 19:51:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264SurfNearMaxMax, {})
-03-22 19:51:26 I/ConsoleReporter: [549/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264SurfNearMaxMax pass
-03-22 19:51:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264SurfNearMaxMin)
-03-22 19:51:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264SurfNearMaxMin, {})
-03-22 19:51:26 I/ConsoleReporter: [550/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264SurfNearMaxMin pass
-03-22 19:51:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264SurfNearMinMax)
-03-22 19:51:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264SurfNearMinMax, {})
-03-22 19:51:27 I/ConsoleReporter: [551/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264SurfNearMinMax pass
-03-22 19:51:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264SurfNearMinMin)
-03-22 19:51:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264SurfNearMinMin, {})
-03-22 19:51:27 I/ConsoleReporter: [552/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264SurfNearMinMin pass
-03-22 19:51:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH264SurfQCIF)
-03-22 19:51:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH264SurfQCIF, {})
-03-22 19:51:27 I/ConsoleReporter: [553/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH264SurfQCIF pass
-03-22 19:51:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265Flex1080p)
-03-22 19:51:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265Flex1080p, {})
-03-22 19:51:27 I/ConsoleReporter: [554/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265Flex1080p pass
-03-22 19:51:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265Flex360pWithIntraRefresh)
-03-22 19:51:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265Flex360pWithIntraRefresh, {})
-03-22 19:51:28 I/ConsoleReporter: [555/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265Flex360pWithIntraRefresh pass
-03-22 19:51:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265Flex480p)
-03-22 19:51:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265Flex480p, {})
-03-22 19:51:28 I/ConsoleReporter: [556/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265Flex480p pass
-03-22 19:51:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265Flex720p)
-03-22 19:51:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265Flex720p, {})
-03-22 19:51:28 I/ConsoleReporter: [557/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265Flex720p pass
-03-22 19:51:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265FlexArbitraryH)
-03-22 19:51:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265FlexArbitraryH, {})
-03-22 19:51:28 I/ConsoleReporter: [558/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265FlexArbitraryH pass
-03-22 19:51:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265FlexArbitraryW)
-03-22 19:51:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265FlexArbitraryW, {})
-03-22 19:51:29 I/ConsoleReporter: [559/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265FlexArbitraryW pass
-03-22 19:51:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265FlexMaxMax)
-03-22 19:51:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265FlexMaxMax, {})
-03-22 19:51:29 I/ConsoleReporter: [560/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265FlexMaxMax pass
-03-22 19:51:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265FlexMaxMin)
-03-22 19:51:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265FlexMaxMin, {})
-03-22 19:51:29 I/ConsoleReporter: [561/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265FlexMaxMin pass
-03-22 19:51:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265FlexMinMax)
-03-22 19:51:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265FlexMinMax, {})
-03-22 19:51:29 I/ConsoleReporter: [562/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265FlexMinMax pass
-03-22 19:51:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265FlexMinMin)
-03-22 19:51:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265FlexMinMin, {})
-03-22 19:51:30 I/ConsoleReporter: [563/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265FlexMinMin pass
-03-22 19:51:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265FlexNearMaxMax)
-03-22 19:51:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265FlexNearMaxMax, {})
-03-22 19:51:30 I/ConsoleReporter: [564/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265FlexNearMaxMax pass
-03-22 19:51:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265FlexNearMaxMin)
-03-22 19:51:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265FlexNearMaxMin, {})
-03-22 19:51:30 I/ConsoleReporter: [565/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265FlexNearMaxMin pass
-03-22 19:51:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265FlexNearMinMax)
-03-22 19:51:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265FlexNearMinMax, {})
-03-22 19:51:30 I/ConsoleReporter: [566/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265FlexNearMinMax pass
-03-22 19:51:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265FlexNearMinMin)
-03-22 19:51:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265FlexNearMinMin, {})
-03-22 19:51:31 I/ConsoleReporter: [567/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265FlexNearMinMin pass
-03-22 19:51:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265FlexQCIF)
-03-22 19:51:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265FlexQCIF, {})
-03-22 19:51:31 I/ConsoleReporter: [568/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265FlexQCIF pass
-03-22 19:51:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265Surf1080p)
-03-22 19:51:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265Surf1080p, {})
-03-22 19:51:31 I/ConsoleReporter: [569/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265Surf1080p pass
-03-22 19:51:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265Surf480p)
-03-22 19:51:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265Surf480p, {})
-03-22 19:51:31 I/ConsoleReporter: [570/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265Surf480p pass
-03-22 19:51:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265Surf720p)
-03-22 19:51:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265Surf720p, {})
-03-22 19:51:31 I/ConsoleReporter: [571/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265Surf720p pass
-03-22 19:51:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265SurfArbitraryH)
-03-22 19:51:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265SurfArbitraryH, {})
-03-22 19:51:32 I/ConsoleReporter: [572/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265SurfArbitraryH pass
-03-22 19:51:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265SurfArbitraryW)
-03-22 19:51:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265SurfArbitraryW, {})
-03-22 19:51:32 I/ConsoleReporter: [573/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265SurfArbitraryW pass
-03-22 19:51:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265SurfMaxMax)
-03-22 19:51:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265SurfMaxMax, {})
-03-22 19:51:32 I/ConsoleReporter: [574/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265SurfMaxMax pass
-03-22 19:51:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265SurfMaxMin)
-03-22 19:51:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265SurfMaxMin, {})
-03-22 19:51:32 I/ConsoleReporter: [575/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265SurfMaxMin pass
-03-22 19:51:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265SurfMinMax)
-03-22 19:51:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265SurfMinMax, {})
-03-22 19:51:33 I/ConsoleReporter: [576/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265SurfMinMax pass
-03-22 19:51:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265SurfMinMin)
-03-22 19:51:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265SurfMinMin, {})
-03-22 19:51:33 I/ConsoleReporter: [577/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265SurfMinMin pass
-03-22 19:51:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265SurfNearMaxMax)
-03-22 19:51:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265SurfNearMaxMax, {})
-03-22 19:51:33 I/ConsoleReporter: [578/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265SurfNearMaxMax pass
-03-22 19:51:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265SurfNearMaxMin)
-03-22 19:51:33 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265SurfNearMaxMin, {})
-03-22 19:51:33 I/ConsoleReporter: [579/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265SurfNearMaxMin pass
-03-22 19:51:33 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265SurfNearMinMax)
-03-22 19:51:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265SurfNearMinMax, {})
-03-22 19:51:34 I/ConsoleReporter: [580/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265SurfNearMinMax pass
-03-22 19:51:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265SurfNearMinMin)
-03-22 19:51:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265SurfNearMinMin, {})
-03-22 19:51:34 I/ConsoleReporter: [581/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265SurfNearMinMin pass
-03-22 19:51:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherH265SurfQCIF)
-03-22 19:51:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherH265SurfQCIF, {})
-03-22 19:51:34 I/ConsoleReporter: [582/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherH265SurfQCIF pass
-03-22 19:51:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4Flex1080p)
-03-22 19:51:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4Flex1080p, {})
-03-22 19:51:34 I/ConsoleReporter: [583/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4Flex1080p pass
-03-22 19:51:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4Flex360pWithIntraRefresh)
-03-22 19:51:34 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4Flex360pWithIntraRefresh, {})
-03-22 19:51:34 I/ConsoleReporter: [584/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4Flex360pWithIntraRefresh pass
-03-22 19:51:34 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4Flex480p)
-03-22 19:51:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4Flex480p, {})
-03-22 19:51:35 I/ConsoleReporter: [585/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4Flex480p pass
-03-22 19:51:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4Flex720p)
-03-22 19:51:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4Flex720p, {})
-03-22 19:51:35 I/ConsoleReporter: [586/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4Flex720p pass
-03-22 19:51:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexArbitraryH)
-03-22 19:51:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexArbitraryH, {})
-03-22 19:51:35 I/ConsoleReporter: [587/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4FlexArbitraryH pass
-03-22 19:51:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexArbitraryW)
-03-22 19:51:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexArbitraryW, {})
-03-22 19:51:35 I/ConsoleReporter: [588/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4FlexArbitraryW pass
-03-22 19:51:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMaxMax)
-03-22 19:51:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMaxMax, {})
-03-22 19:51:36 I/ConsoleReporter: [589/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMaxMax pass
-03-22 19:51:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMaxMin)
-03-22 19:51:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMaxMin, {})
-03-22 19:51:36 I/ConsoleReporter: [590/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMaxMin pass
-03-22 19:51:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMinMax)
-03-22 19:51:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMinMax, {})
-03-22 19:51:36 I/ConsoleReporter: [591/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMinMax pass
-03-22 19:51:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMinMin)
-03-22 19:51:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMinMin, {})
-03-22 19:51:36 I/ConsoleReporter: [592/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4FlexMinMin pass
-03-22 19:51:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMaxMax)
-03-22 19:51:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMaxMax, {})
-03-22 19:51:37 I/ConsoleReporter: [593/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMaxMax pass
-03-22 19:51:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMaxMin)
-03-22 19:51:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMaxMin, {})
-03-22 19:51:37 I/ConsoleReporter: [594/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMaxMin pass
-03-22 19:51:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMinMax)
-03-22 19:51:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMinMax, {})
-03-22 19:51:37 I/ConsoleReporter: [595/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMinMax pass
-03-22 19:51:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMinMin)
-03-22 19:51:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMinMin, {})
-03-22 19:51:37 I/ConsoleReporter: [596/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4FlexNearMinMin pass
-03-22 19:51:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexQCIF)
-03-22 19:51:37 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4FlexQCIF, {})
-03-22 19:51:37 I/ConsoleReporter: [597/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4FlexQCIF pass
-03-22 19:51:37 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4Surf1080p)
-03-22 19:51:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4Surf1080p, {})
-03-22 19:51:38 I/ConsoleReporter: [598/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4Surf1080p pass
-03-22 19:51:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4Surf480p)
-03-22 19:51:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4Surf480p, {})
-03-22 19:51:38 I/ConsoleReporter: [599/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4Surf480p pass
-03-22 19:51:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4Surf720p)
-03-22 19:51:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4Surf720p, {})
-03-22 19:51:38 I/ConsoleReporter: [600/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4Surf720p pass
-03-22 19:51:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfArbitraryH)
-03-22 19:51:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfArbitraryH, {})
-03-22 19:51:38 I/ConsoleReporter: [601/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4SurfArbitraryH pass
-03-22 19:51:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfArbitraryW)
-03-22 19:51:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfArbitraryW, {})
-03-22 19:51:39 I/ConsoleReporter: [602/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4SurfArbitraryW pass
-03-22 19:51:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMaxMax)
-03-22 19:51:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMaxMax, {})
-03-22 19:51:39 I/ConsoleReporter: [603/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMaxMax pass
-03-22 19:51:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMaxMin)
-03-22 19:51:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMaxMin, {})
-03-22 19:51:39 I/ConsoleReporter: [604/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMaxMin pass
-03-22 19:51:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMinMax)
-03-22 19:51:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMinMax, {})
-03-22 19:51:39 I/ConsoleReporter: [605/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMinMax pass
-03-22 19:51:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMinMin)
-03-22 19:51:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMinMin, {})
-03-22 19:51:40 I/ConsoleReporter: [606/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4SurfMinMin pass
-03-22 19:51:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMaxMax)
-03-22 19:51:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMaxMax, {})
-03-22 19:51:40 I/ConsoleReporter: [607/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMaxMax pass
-03-22 19:51:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMaxMin)
-03-22 19:51:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMaxMin, {})
-03-22 19:51:40 I/ConsoleReporter: [608/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMaxMin pass
-03-22 19:51:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMinMax)
-03-22 19:51:40 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMinMax, {})
-03-22 19:51:40 I/ConsoleReporter: [609/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMinMax pass
-03-22 19:51:40 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMinMin)
-03-22 19:51:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMinMin, {})
-03-22 19:51:41 I/ConsoleReporter: [610/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4SurfNearMinMin pass
-03-22 19:51:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfQCIF)
-03-22 19:51:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherMpeg4SurfQCIF, {})
-03-22 19:51:41 I/ConsoleReporter: [611/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherMpeg4SurfQCIF pass
-03-22 19:51:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8Flex1080p)
-03-22 19:51:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8Flex1080p, {})
-03-22 19:51:41 I/ConsoleReporter: [612/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8Flex1080p pass
-03-22 19:51:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8Flex360pWithIntraRefresh)
-03-22 19:51:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8Flex360pWithIntraRefresh, {})
-03-22 19:51:42 I/ConsoleReporter: [613/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8Flex360pWithIntraRefresh pass
-03-22 19:51:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8Flex480p)
-03-22 19:51:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8Flex480p, {})
-03-22 19:51:42 I/ConsoleReporter: [614/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8Flex480p pass
-03-22 19:51:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8Flex720p)
-03-22 19:51:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8Flex720p, {})
-03-22 19:51:42 I/ConsoleReporter: [615/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8Flex720p pass
-03-22 19:51:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8FlexArbitraryH)
-03-22 19:51:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8FlexArbitraryH, {})
-03-22 19:51:42 I/ConsoleReporter: [616/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8FlexArbitraryH pass
-03-22 19:51:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8FlexArbitraryW)
-03-22 19:51:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8FlexArbitraryW, {})
-03-22 19:51:43 I/ConsoleReporter: [617/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8FlexArbitraryW pass
-03-22 19:51:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8FlexMaxMax)
-03-22 19:51:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8FlexMaxMax, {})
-03-22 19:51:43 I/ConsoleReporter: [618/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8FlexMaxMax pass
-03-22 19:51:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8FlexMaxMin)
-03-22 19:51:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8FlexMaxMin, {})
-03-22 19:51:43 I/ConsoleReporter: [619/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8FlexMaxMin pass
-03-22 19:51:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8FlexMinMax)
-03-22 19:51:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8FlexMinMax, {})
-03-22 19:51:43 I/ConsoleReporter: [620/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8FlexMinMax pass
-03-22 19:51:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8FlexMinMin)
-03-22 19:51:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8FlexMinMin, {})
-03-22 19:51:44 I/ConsoleReporter: [621/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8FlexMinMin pass
-03-22 19:51:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMaxMax)
-03-22 19:51:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMaxMax, {})
-03-22 19:51:44 I/ConsoleReporter: [622/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMaxMax pass
-03-22 19:51:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMaxMin)
-03-22 19:51:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMaxMin, {})
-03-22 19:51:44 I/ConsoleReporter: [623/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMaxMin pass
-03-22 19:51:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMinMax)
-03-22 19:51:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMinMax, {})
-03-22 19:51:44 I/ConsoleReporter: [624/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMinMax pass
-03-22 19:51:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMinMin)
-03-22 19:51:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMinMin, {})
-03-22 19:51:45 I/ConsoleReporter: [625/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8FlexNearMinMin pass
-03-22 19:51:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8FlexQCIF)
-03-22 19:51:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8FlexQCIF, {})
-03-22 19:51:45 I/ConsoleReporter: [626/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8FlexQCIF pass
-03-22 19:51:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8Surf1080p)
-03-22 19:51:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8Surf1080p, {})
-03-22 19:51:45 I/ConsoleReporter: [627/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8Surf1080p pass
-03-22 19:51:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8Surf480p)
-03-22 19:51:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8Surf480p, {})
-03-22 19:51:45 I/ConsoleReporter: [628/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8Surf480p pass
-03-22 19:51:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8Surf720p)
-03-22 19:51:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8Surf720p, {})
-03-22 19:51:46 I/ConsoleReporter: [629/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8Surf720p pass
-03-22 19:51:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8SurfArbitraryH)
-03-22 19:51:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8SurfArbitraryH, {})
-03-22 19:51:46 I/ConsoleReporter: [630/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8SurfArbitraryH pass
-03-22 19:51:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8SurfArbitraryW)
-03-22 19:51:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8SurfArbitraryW, {})
-03-22 19:51:46 I/ConsoleReporter: [631/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8SurfArbitraryW pass
-03-22 19:51:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8SurfMaxMax)
-03-22 19:51:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8SurfMaxMax, {})
-03-22 19:51:46 I/ConsoleReporter: [632/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8SurfMaxMax pass
-03-22 19:51:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8SurfMaxMin)
-03-22 19:51:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8SurfMaxMin, {})
-03-22 19:51:47 I/ConsoleReporter: [633/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8SurfMaxMin pass
-03-22 19:51:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8SurfMinMax)
-03-22 19:51:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8SurfMinMax, {})
-03-22 19:51:47 I/ConsoleReporter: [634/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8SurfMinMax pass
-03-22 19:51:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8SurfMinMin)
-03-22 19:51:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8SurfMinMin, {})
-03-22 19:51:47 I/ConsoleReporter: [635/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8SurfMinMin pass
-03-22 19:51:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMaxMax)
-03-22 19:51:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMaxMax, {})
-03-22 19:51:48 I/ConsoleReporter: [636/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMaxMax pass
-03-22 19:51:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMaxMin)
-03-22 19:51:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMaxMin, {})
-03-22 19:51:48 I/ConsoleReporter: [637/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMaxMin pass
-03-22 19:51:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMinMax)
-03-22 19:51:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMinMax, {})
-03-22 19:51:48 I/ConsoleReporter: [638/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMinMax pass
-03-22 19:51:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMinMin)
-03-22 19:51:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMinMin, {})
-03-22 19:51:48 I/ConsoleReporter: [639/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8SurfNearMinMin pass
-03-22 19:51:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP8SurfQCIF)
-03-22 19:51:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP8SurfQCIF, {})
-03-22 19:51:48 I/ConsoleReporter: [640/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP8SurfQCIF pass
-03-22 19:51:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9Flex1080p)
-03-22 19:51:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9Flex1080p, {})
-03-22 19:51:49 I/ConsoleReporter: [641/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9Flex1080p pass
-03-22 19:51:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9Flex480p)
-03-22 19:51:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9Flex480p, {})
-03-22 19:51:49 I/ConsoleReporter: [642/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9Flex480p pass
-03-22 19:51:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9Flex720p)
-03-22 19:51:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9Flex720p, {})
-03-22 19:51:49 I/ConsoleReporter: [643/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9Flex720p pass
-03-22 19:51:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9FlexArbitraryH)
-03-22 19:51:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9FlexArbitraryH, {})
-03-22 19:51:50 I/ConsoleReporter: [644/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9FlexArbitraryH pass
-03-22 19:51:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9FlexArbitraryW)
-03-22 19:51:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9FlexArbitraryW, {})
-03-22 19:51:50 I/ConsoleReporter: [645/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9FlexArbitraryW pass
-03-22 19:51:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9FlexMaxMax)
-03-22 19:51:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9FlexMaxMax, {})
-03-22 19:51:50 I/ConsoleReporter: [646/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9FlexMaxMax pass
-03-22 19:51:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9FlexMaxMin)
-03-22 19:51:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9FlexMaxMin, {})
-03-22 19:51:50 I/ConsoleReporter: [647/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9FlexMaxMin pass
-03-22 19:51:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9FlexMinMax)
-03-22 19:51:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9FlexMinMax, {})
-03-22 19:51:50 I/ConsoleReporter: [648/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9FlexMinMax pass
-03-22 19:51:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9FlexMinMin)
-03-22 19:51:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9FlexMinMin, {})
-03-22 19:51:51 I/ConsoleReporter: [649/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9FlexMinMin pass
-03-22 19:51:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMaxMax)
-03-22 19:51:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMaxMax, {})
-03-22 19:51:51 I/ConsoleReporter: [650/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMaxMax pass
-03-22 19:51:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMaxMin)
-03-22 19:51:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMaxMin, {})
-03-22 19:51:51 I/ConsoleReporter: [651/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMaxMin pass
-03-22 19:51:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMinMax)
-03-22 19:51:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMinMax, {})
-03-22 19:51:51 I/ConsoleReporter: [652/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMinMax pass
-03-22 19:51:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMinMin)
-03-22 19:51:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMinMin, {})
-03-22 19:51:52 I/ConsoleReporter: [653/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9FlexNearMinMin pass
-03-22 19:51:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9FlexQCIF)
-03-22 19:51:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9FlexQCIF, {})
-03-22 19:51:52 I/ConsoleReporter: [654/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9FlexQCIF pass
-03-22 19:51:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9Surf1080p)
-03-22 19:51:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9Surf1080p, {})
-03-22 19:51:52 I/ConsoleReporter: [655/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9Surf1080p pass
-03-22 19:51:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9Surf480p)
-03-22 19:51:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9Surf480p, {})
-03-22 19:51:52 I/ConsoleReporter: [656/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9Surf480p pass
-03-22 19:51:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9Surf720p)
-03-22 19:51:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9Surf720p, {})
-03-22 19:51:53 I/ConsoleReporter: [657/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9Surf720p pass
-03-22 19:51:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9SurfArbitraryH)
-03-22 19:51:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9SurfArbitraryH, {})
-03-22 19:51:53 I/ConsoleReporter: [658/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9SurfArbitraryH pass
-03-22 19:51:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9SurfArbitraryW)
-03-22 19:51:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9SurfArbitraryW, {})
-03-22 19:51:53 I/ConsoleReporter: [659/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9SurfArbitraryW pass
-03-22 19:51:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9SurfMaxMax)
-03-22 19:51:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9SurfMaxMax, {})
-03-22 19:51:53 I/ConsoleReporter: [660/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9SurfMaxMax pass
-03-22 19:51:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9SurfMaxMin)
-03-22 19:51:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9SurfMaxMin, {})
-03-22 19:51:54 I/ConsoleReporter: [661/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9SurfMaxMin pass
-03-22 19:51:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9SurfMinMax)
-03-22 19:51:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9SurfMinMax, {})
-03-22 19:51:54 I/ConsoleReporter: [662/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9SurfMinMax pass
-03-22 19:51:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9SurfMinMin)
-03-22 19:51:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9SurfMinMin, {})
-03-22 19:51:54 I/ConsoleReporter: [663/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9SurfMinMin pass
-03-22 19:51:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMaxMax)
-03-22 19:51:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMaxMax, {})
-03-22 19:51:54 I/ConsoleReporter: [664/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMaxMax pass
-03-22 19:51:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMaxMin)
-03-22 19:51:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMaxMin, {})
-03-22 19:51:55 I/ConsoleReporter: [665/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMaxMin pass
-03-22 19:51:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMinMax)
-03-22 19:51:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMinMax, {})
-03-22 19:51:55 I/ConsoleReporter: [666/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMinMax pass
-03-22 19:51:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMinMin)
-03-22 19:51:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMinMin, {})
-03-22 19:51:55 I/ConsoleReporter: [667/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9SurfNearMinMin pass
-03-22 19:51:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testOtherVP9SurfQCIF)
-03-22 19:51:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testOtherVP9SurfQCIF, {})
-03-22 19:51:55 I/ConsoleReporter: [668/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testOtherVP9SurfQCIF pass
-03-22 19:51:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testVP8Flex1080p30fps10Mbps)
-03-22 19:52:01 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testVP8Flex1080p30fps10Mbps, {})
-03-22 19:52:01 I/ConsoleReporter: [669/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testVP8Flex1080p30fps10Mbps pass
-03-22 19:52:01 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testVP8Flex180p30fps800kbps)
-03-22 19:52:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testVP8Flex180p30fps800kbps, {})
-03-22 19:52:04 I/ConsoleReporter: [670/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testVP8Flex180p30fps800kbps pass
-03-22 19:52:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testVP8Flex360p30fps2Mbps)
-03-22 19:52:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testVP8Flex360p30fps2Mbps, {})
-03-22 19:52:07 I/ConsoleReporter: [671/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testVP8Flex360p30fps2Mbps pass
-03-22 19:52:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testVP8Flex720p30fps4Mbps)
-03-22 19:52:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testVP8Flex720p30fps4Mbps, {})
-03-22 19:52:11 I/ConsoleReporter: [672/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testVP8Flex720p30fps4Mbps pass
-03-22 19:52:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testVP8HighQualitySDSupport)
-03-22 19:52:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testVP8HighQualitySDSupport, {})
-03-22 19:52:11 I/ConsoleReporter: [673/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testVP8HighQualitySDSupport pass
-03-22 19:52:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testVP8LowQualitySDSupport)
-03-22 19:52:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testVP8LowQualitySDSupport, {})
-03-22 19:52:11 I/ConsoleReporter: [674/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testVP8LowQualitySDSupport pass
-03-22 19:52:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testVP8Surf1080p30fps10Mbps)
-03-22 19:52:17 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testVP8Surf1080p30fps10Mbps, {})
-03-22 19:52:17 I/ConsoleReporter: [675/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testVP8Surf1080p30fps10Mbps pass
-03-22 19:52:17 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testVP8Surf180p30fps800kbps)
-03-22 19:52:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testVP8Surf180p30fps800kbps, {})
-03-22 19:52:20 I/ConsoleReporter: [676/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testVP8Surf180p30fps800kbps pass
-03-22 19:52:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testVP8Surf360p30fps2Mbps)
-03-22 19:52:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testVP8Surf360p30fps2Mbps, {})
-03-22 19:52:23 I/ConsoleReporter: [677/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testVP8Surf360p30fps2Mbps pass
-03-22 19:52:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VideoEncoderTest#testVP8Surf720p30fps4Mbps)
-03-22 19:52:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VideoEncoderTest#testVP8Surf720p30fps4Mbps, {})
-03-22 19:52:27 I/ConsoleReporter: [678/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VideoEncoderTest#testVP8Surf720p30fps4Mbps pass
-03-22 19:52:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RingtoneTest#testRingtone)
-03-22 19:52:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RingtoneTest#testRingtone, {})
-03-22 19:52:31 I/ConsoleReporter: [679/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RingtoneTest#testRingtone pass
-03-22 19:52:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.PresentationSyncTest#testThroughput)
-03-22 19:52:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.PresentationSyncTest#testThroughput, {})
-03-22 19:52:48 I/ConsoleReporter: [680/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.PresentationSyncTest#testThroughput pass
-03-22 19:52:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ToneGeneratorTest#testSyncGenerate)
-03-22 19:52:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ToneGeneratorTest#testSyncGenerate, {})
-03-22 19:52:49 I/ConsoleReporter: [681/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ToneGeneratorTest#testSyncGenerate pass
-03-22 19:52:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserTest#testConnectTwice)
-03-22 19:52:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserTest#testConnectTwice, {})
-03-22 19:52:49 I/ConsoleReporter: [682/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserTest#testConnectTwice pass
-03-22 19:52:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserTest#testConnectionFailed)
-03-22 19:52:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserTest#testConnectionFailed, {})
-03-22 19:52:50 I/ConsoleReporter: [683/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserTest#testConnectionFailed pass
-03-22 19:52:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserTest#testGetItem)
-03-22 19:52:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserTest#testGetItem, {})
-03-22 19:52:50 I/ConsoleReporter: [684/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserTest#testGetItem pass
-03-22 19:52:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserTest#testGetItemFailure)
-03-22 19:52:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserTest#testGetItemFailure, {})
-03-22 19:52:50 I/ConsoleReporter: [685/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserTest#testGetItemFailure pass
-03-22 19:52:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserTest#testGetServiceComponentBeforeConnection)
-03-22 19:52:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserTest#testGetServiceComponentBeforeConnection, {})
-03-22 19:52:50 I/ConsoleReporter: [686/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserTest#testGetServiceComponentBeforeConnection pass
-03-22 19:52:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserTest#testMediaBrowser)
-03-22 19:52:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserTest#testMediaBrowser, {})
-03-22 19:52:50 I/ConsoleReporter: [687/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserTest#testMediaBrowser pass
-03-22 19:52:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserTest#testSubscribe)
-03-22 19:52:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserTest#testSubscribe, {})
-03-22 19:52:50 I/ConsoleReporter: [688/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserTest#testSubscribe pass
-03-22 19:52:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserTest#testSubscribeInvalidItem)
-03-22 19:52:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserTest#testSubscribeInvalidItem, {})
-03-22 19:52:50 I/ConsoleReporter: [689/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserTest#testSubscribeInvalidItem pass
-03-22 19:52:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserTest#testSubscribeInvalidItemWithOptions)
-03-22 19:52:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserTest#testSubscribeInvalidItemWithOptions, {})
-03-22 19:52:50 I/ConsoleReporter: [690/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserTest#testSubscribeInvalidItemWithOptions pass
-03-22 19:52:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserTest#testSubscribeWithOptions)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserTest#testSubscribeWithOptions, {})
-03-22 19:52:51 I/ConsoleReporter: [691/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserTest#testSubscribeWithOptions pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#test3gppMetadata)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#test3gppMetadata, {})
-03-22 19:52:51 I/ConsoleReporter: [692/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#test3gppMetadata pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testID3v2Metadata)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testID3v2Metadata, {})
-03-22 19:52:51 I/ConsoleReporter: [693/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testID3v2Metadata pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testLargeAlbumArt)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testLargeAlbumArt, {})
-03-22 19:52:51 I/ConsoleReporter: [694/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testLargeAlbumArt pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testMediaDataSourceIsClosedOnRelease)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testMediaDataSourceIsClosedOnRelease, {})
-03-22 19:52:51 I/ConsoleReporter: [695/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testMediaDataSourceIsClosedOnRelease pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testNullMediaDataSourceIsRejected)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testNullMediaDataSourceIsRejected, {})
-03-22 19:52:51 I/ConsoleReporter: [696/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testNullMediaDataSourceIsRejected pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testRetrieveFailsIfMediaDataSourceReturnsAnError)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testRetrieveFailsIfMediaDataSourceReturnsAnError, {})
-03-22 19:52:51 I/ConsoleReporter: [697/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testRetrieveFailsIfMediaDataSourceReturnsAnError pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testRetrieveFailsIfMediaDataSourceThrows)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testRetrieveFailsIfMediaDataSourceThrows, {})
-03-22 19:52:51 I/ConsoleReporter: [698/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testRetrieveFailsIfMediaDataSourceThrows pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testSetDataSourceNullPath)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testSetDataSourceNullPath, {})
-03-22 19:52:51 I/ConsoleReporter: [699/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testSetDataSourceNullPath pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testThumbnailH263)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testThumbnailH263, {})
-03-22 19:52:51 I/ConsoleReporter: [700/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testThumbnailH263 pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testThumbnailH264)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testThumbnailH264, {})
-03-22 19:52:51 I/ConsoleReporter: [701/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testThumbnailH264 pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testThumbnailHEVC)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testThumbnailHEVC, {})
-03-22 19:52:51 I/ConsoleReporter: [702/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testThumbnailHEVC pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testThumbnailMPEG4)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testThumbnailMPEG4, {})
-03-22 19:52:51 I/ConsoleReporter: [703/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testThumbnailMPEG4 pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testThumbnailVP8)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testThumbnailVP8, {})
-03-22 19:52:51 I/ConsoleReporter: [704/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testThumbnailVP8 pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMetadataRetrieverTest#testThumbnailVP9)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMetadataRetrieverTest#testThumbnailVP9, {})
-03-22 19:52:51 I/ConsoleReporter: [705/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMetadataRetrieverTest#testThumbnailVP9 pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testCallback)
-03-22 19:52:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testCallback, {})
-03-22 19:52:51 I/ConsoleReporter: [706/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testCallback pass
-03-22 19:52:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testChangeSubtitleTrack)
-03-22 19:52:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testChangeSubtitleTrack, {})
-03-22 19:52:55 I/ConsoleReporter: [707/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testChangeSubtitleTrack pass
-03-22 19:52:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testChangeTimedTextTrack)
-03-22 19:52:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testChangeTimedTextTrack, {})
-03-22 19:52:55 I/ConsoleReporter: [708/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testChangeTimedTextTrack pass
-03-22 19:52:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testDeselectTrackForSubtitleTracks)
-03-22 19:53:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testDeselectTrackForSubtitleTracks, {})
-03-22 19:53:02 I/ConsoleReporter: [709/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testDeselectTrackForSubtitleTracks pass
-03-22 19:53:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testDeselectTrackForTimedTextTrack)
-03-22 19:53:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testDeselectTrackForTimedTextTrack, {})
-03-22 19:53:03 I/ConsoleReporter: [710/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testDeselectTrackForTimedTextTrack pass
-03-22 19:53:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testFlacHeapOverflow)
-03-22 19:53:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testFlacHeapOverflow, {})
-03-22 19:53:03 I/ConsoleReporter: [711/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testFlacHeapOverflow pass
-03-22 19:53:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testGapless1)
-03-22 19:53:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testGapless1, {})
-03-22 19:53:13 I/ConsoleReporter: [712/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testGapless1 pass
-03-22 19:53:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testGapless2)
-03-22 19:53:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testGapless2, {})
-03-22 19:53:18 I/ConsoleReporter: [713/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testGapless2 pass
-03-22 19:53:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testGapless3)
-03-22 19:53:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testGapless3, {})
-03-22 19:53:23 I/ConsoleReporter: [714/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testGapless3 pass
-03-22 19:53:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testGetTimestamp)
-03-22 19:53:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testGetTimestamp, {})
-03-22 19:53:29 I/ConsoleReporter: [715/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testGetTimestamp pass
-03-22 19:53:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testGetTrackInfoForVideoWithSubtitleTracks)
-03-22 19:53:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testGetTrackInfoForVideoWithSubtitleTracks, {})
-03-22 19:53:30 I/ConsoleReporter: [716/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testGetTrackInfoForVideoWithSubtitleTracks pass
-03-22 19:53:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testGetTrackInfoForVideoWithTimedText)
-03-22 19:53:30 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testGetTrackInfoForVideoWithTimedText, {})
-03-22 19:53:30 I/ConsoleReporter: [717/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testGetTrackInfoForVideoWithTimedText pass
-03-22 19:53:30 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Mono_24kbps_11025Hz)
-03-22 19:53:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Mono_24kbps_11025Hz, {})
-03-22 19:53:42 I/ConsoleReporter: [718/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Mono_24kbps_11025Hz pass
-03-22 19:53:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Mono_24kbps_22050Hz)
-03-22 19:53:53 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Mono_24kbps_22050Hz, {})
-03-22 19:53:53 I/ConsoleReporter: [719/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Mono_24kbps_22050Hz pass
-03-22 19:53:53 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_128kbps_11025Hz)
-03-22 19:54:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_128kbps_11025Hz, {})
-03-22 19:54:04 I/ConsoleReporter: [720/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_128kbps_11025Hz pass
-03-22 19:54:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_128kbps_22050Hz)
-03-22 19:54:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_128kbps_22050Hz, {})
-03-22 19:54:15 I/ConsoleReporter: [721/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_128kbps_22050Hz pass
-03-22 19:54:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_24kbps_11025Hz)
-03-22 19:54:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_24kbps_11025Hz, {})
-03-22 19:54:27 I/ConsoleReporter: [722/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_24kbps_11025Hz pass
-03-22 19:54:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_24kbps_22050Hz)
-03-22 19:54:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_24kbps_22050Hz, {})
-03-22 19:54:38 I/ConsoleReporter: [723/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_24kbps_22050Hz pass
-03-22 19:54:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Mono_24kbps_11025Hz)
-03-22 19:54:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Mono_24kbps_11025Hz, {})
-03-22 19:54:38 I/ConsoleReporter: [724/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Mono_24kbps_11025Hz pass
-03-22 19:54:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Mono_24kbps_22050Hz)
-03-22 19:54:38 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Mono_24kbps_22050Hz, {})
-03-22 19:54:38 I/ConsoleReporter: [725/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Mono_24kbps_22050Hz pass
-03-22 19:54:38 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_128kbps_11025Hz)
-03-22 19:54:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_128kbps_11025Hz, {})
-03-22 19:54:39 I/ConsoleReporter: [726/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_128kbps_11025Hz pass
-03-22 19:54:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_128kbps_22050Hz)
-03-22 19:54:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_128kbps_22050Hz, {})
-03-22 19:54:39 I/ConsoleReporter: [727/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_128kbps_22050Hz pass
-03-22 19:54:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_24kbps_11025Hz)
-03-22 19:54:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_24kbps_11025Hz, {})
-03-22 19:54:39 I/ConsoleReporter: [728/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_24kbps_11025Hz pass
-03-22 19:54:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_24kbps_22050Hz)
-03-22 19:54:39 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_24kbps_22050Hz, {})
-03-22 19:54:39 I/ConsoleReporter: [729/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_24kbps_22050Hz pass
-03-22 19:54:39 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Mono_24kbps_11025Hz)
-03-22 19:54:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Mono_24kbps_11025Hz, {})
-03-22 19:54:51 I/ConsoleReporter: [730/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Mono_24kbps_11025Hz pass
-03-22 19:54:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Mono_24kbps_22050Hz)
-03-22 19:55:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Mono_24kbps_22050Hz, {})
-03-22 19:55:02 I/ConsoleReporter: [731/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Mono_24kbps_22050Hz pass
-03-22 19:55:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_128kbps_11025Hz)
-03-22 19:55:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_128kbps_11025Hz, {})
-03-22 19:55:13 I/ConsoleReporter: [732/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_128kbps_11025Hz pass
-03-22 19:55:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_128kbps_22050Hz)
-03-22 19:55:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_128kbps_22050Hz, {})
-03-22 19:55:24 I/ConsoleReporter: [733/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_128kbps_22050Hz pass
-03-22 19:55:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_24kbps_11025Hz)
-03-22 19:55:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_24kbps_11025Hz, {})
-03-22 19:55:36 I/ConsoleReporter: [734/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_24kbps_11025Hz pass
-03-22 19:55:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_24kbps_22050Hz)
-03-22 19:55:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_24kbps_22050Hz, {})
-03-22 19:55:47 I/ConsoleReporter: [735/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_24kbps_22050Hz pass
-03-22 19:55:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Mono_24kbps_11025Hz)
-03-22 19:55:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Mono_24kbps_11025Hz, {})
-03-22 19:55:47 I/ConsoleReporter: [736/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Mono_24kbps_11025Hz pass
-03-22 19:55:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Mono_24kbps_22050Hz)
-03-22 19:55:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Mono_24kbps_22050Hz, {})
-03-22 19:55:48 I/ConsoleReporter: [737/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Mono_24kbps_22050Hz pass
-03-22 19:55:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_128kbps_11025Hz)
-03-22 19:55:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_128kbps_11025Hz, {})
-03-22 19:55:48 I/ConsoleReporter: [738/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_128kbps_11025Hz pass
-03-22 19:55:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_128kbps_22050Hz)
-03-22 19:55:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_128kbps_22050Hz, {})
-03-22 19:55:48 I/ConsoleReporter: [739/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_128kbps_22050Hz pass
-03-22 19:55:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_24kbps_11025Hz)
-03-22 19:55:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_24kbps_11025Hz, {})
-03-22 19:55:48 I/ConsoleReporter: [740/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_24kbps_11025Hz pass
-03-22 19:55:48 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_24kbps_22050Hz)
-03-22 19:55:48 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_24kbps_22050Hz, {})
-03-22 19:55:48 I/ConsoleReporter: [741/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_24kbps_22050Hz pass
-03-22 19:55:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1000kbps_25fps_AAC_Stereo_128kbps_44110Hz)
-03-22 19:55:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1000kbps_25fps_AAC_Stereo_128kbps_44110Hz, {})
-03-22 19:55:59 I/ConsoleReporter: [742/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1000kbps_25fps_AAC_Stereo_128kbps_44110Hz pass
-03-22 19:55:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1000kbps_30fps_AAC_Stereo_128kbps_44110Hz)
-03-22 19:56:10 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1000kbps_30fps_AAC_Stereo_128kbps_44110Hz, {})
-03-22 19:56:10 I/ConsoleReporter: [743/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1000kbps_30fps_AAC_Stereo_128kbps_44110Hz pass
-03-22 19:56:10 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_25fps_AAC_Stereo_128kbps_44110Hz)
-03-22 19:56:20 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_25fps_AAC_Stereo_128kbps_44110Hz, {})
-03-22 19:56:20 I/ConsoleReporter: [744/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_25fps_AAC_Stereo_128kbps_44110Hz pass
-03-22 19:56:20 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_128kbps_44110Hz)
-03-22 19:56:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_128kbps_44110Hz, {})
-03-22 19:56:31 I/ConsoleReporter: [745/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_128kbps_44110Hz pass
-03-22 19:56:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_128kbps_44110Hz_frag)
-03-22 19:56:42 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_128kbps_44110Hz_frag, {})
-03-22 19:56:42 I/ConsoleReporter: [746/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_128kbps_44110Hz_frag pass
-03-22 19:56:42 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_192kbps_44110Hz)
-03-22 19:56:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_192kbps_44110Hz, {})
-03-22 19:56:52 I/ConsoleReporter: [747/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_192kbps_44110Hz pass
-03-22 19:56:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_500kbps_25fps_AAC_Stereo_128kbps_44110Hz)
-03-22 19:57:03 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_500kbps_25fps_AAC_Stereo_128kbps_44110Hz, {})
-03-22 19:57:03 I/ConsoleReporter: [748/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_500kbps_25fps_AAC_Stereo_128kbps_44110Hz pass
-03-22 19:57:03 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_500kbps_30fps_AAC_Stereo_128kbps_44110Hz)
-03-22 19:57:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_500kbps_30fps_AAC_Stereo_128kbps_44110Hz, {})
-03-22 19:57:13 I/ConsoleReporter: [749/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testLocalVideo_MP4_H264_480x360_500kbps_30fps_AAC_Stereo_128kbps_44110Hz pass
-03-22 19:57:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testMediaDataSourceIsClosedOnReset)
-03-22 19:57:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testMediaDataSourceIsClosedOnReset, {})
-03-22 19:57:13 I/ConsoleReporter: [750/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testMediaDataSourceIsClosedOnReset pass
-03-22 19:57:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testNullMediaDataSourceIsRejected)
-03-22 19:57:14 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testNullMediaDataSourceIsRejected, {})
-03-22 19:57:14 I/ConsoleReporter: [751/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testNullMediaDataSourceIsRejected pass
-03-22 19:57:14 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPlayAudio)
-03-22 19:57:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPlayAudio, {})
-03-22 19:57:51 I/ConsoleReporter: [752/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPlayAudio pass
-03-22 19:57:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPlayAudioFromDataURI)
-03-22 19:58:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPlayAudioFromDataURI, {})
-03-22 19:58:27 I/ConsoleReporter: [753/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPlayAudioFromDataURI pass
-03-22 19:58:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPlayAudioLooping)
-03-22 19:58:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPlayAudioLooping, {})
-03-22 19:58:45 I/ConsoleReporter: [754/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPlayAudioLooping pass
-03-22 19:58:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPlayAudioTwice)
-03-22 19:58:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPlayAudioTwice, {})
-03-22 19:58:49 I/ConsoleReporter: [755/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPlayAudioTwice pass
-03-22 19:58:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPlayMidi)
-03-22 19:58:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPlayMidi, {})
-03-22 19:58:50 I/ConsoleReporter: [756/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPlayMidi pass
-03-22 19:58:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPlayNullSourcePath)
-03-22 19:58:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPlayNullSourcePath, {})
-03-22 19:58:50 I/ConsoleReporter: [757/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPlayNullSourcePath pass
-03-22 19:58:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPlayVideo)
-03-22 19:58:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPlayVideo, {})
-03-22 19:58:50 I/ConsoleReporter: [758/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPlayVideo pass
-03-22 19:58:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPlaybackFailsIfMediaDataSourceReturnsAnError)
-03-22 19:58:50 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPlaybackFailsIfMediaDataSourceReturnsAnError, {})
-03-22 19:58:50 I/ConsoleReporter: [759/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPlaybackFailsIfMediaDataSourceReturnsAnError pass
-03-22 19:58:50 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPlaybackFailsIfMediaDataSourceThrows)
-03-22 19:58:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPlaybackFailsIfMediaDataSourceThrows, {})
-03-22 19:58:51 I/ConsoleReporter: [760/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPlaybackFailsIfMediaDataSourceThrows pass
-03-22 19:58:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPlaybackFromAMediaDataSource)
-03-22 19:58:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPlaybackFromAMediaDataSource, {})
-03-22 19:58:57 I/ConsoleReporter: [761/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPlaybackFromAMediaDataSource pass
-03-22 19:58:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPlaybackRate)
-03-22 19:59:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPlaybackRate, {})
-03-22 19:59:18 I/ConsoleReporter: [762/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPlaybackRate pass
-03-22 19:59:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testPositionAtEnd)
-03-22 19:59:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testPositionAtEnd, {})
-03-22 19:59:57 I/ConsoleReporter: [763/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testPositionAtEnd pass
-03-22 19:59:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testRecordAndPlay)
-03-22 20:00:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testRecordAndPlay, {})
-03-22 20:00:04 I/ConsoleReporter: [764/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testRecordAndPlay pass
-03-22 20:00:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testRecordedVideoPlayback0)
-03-22 20:00:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testRecordedVideoPlayback0, {})
-03-22 20:00:04 I/ConsoleReporter: [765/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testRecordedVideoPlayback0 pass
-03-22 20:00:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testRecordedVideoPlayback180)
-03-22 20:00:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testRecordedVideoPlayback180, {})
-03-22 20:00:05 I/ConsoleReporter: [766/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testRecordedVideoPlayback180 pass
-03-22 20:00:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testRecordedVideoPlayback270)
-03-22 20:00:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testRecordedVideoPlayback270, {})
-03-22 20:00:05 I/ConsoleReporter: [767/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testRecordedVideoPlayback270 pass
-03-22 20:00:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testRecordedVideoPlayback90)
-03-22 20:00:05 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testRecordedVideoPlayback90, {})
-03-22 20:00:05 I/ConsoleReporter: [768/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testRecordedVideoPlayback90 pass
-03-22 20:00:05 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testResumeAtEnd)
-03-22 20:01:06 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testResumeAtEnd, {})
-03-22 20:01:06 I/ConsoleReporter: [769/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testResumeAtEnd pass
-03-22 20:01:06 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testSetNextMediaPlayer)
-03-22 20:01:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testSetNextMediaPlayer, {})
-03-22 20:01:26 I/ConsoleReporter: [770/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testSetNextMediaPlayer pass
-03-22 20:01:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testSetNextMediaPlayerWithRelease)
-03-22 20:01:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testSetNextMediaPlayerWithRelease, {})
-03-22 20:01:27 I/ConsoleReporter: [771/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testSetNextMediaPlayerWithRelease pass
-03-22 20:01:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testSetNextMediaPlayerWithReset)
-03-22 20:01:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testSetNextMediaPlayerWithReset, {})
-03-22 20:01:27 I/ConsoleReporter: [772/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testSetNextMediaPlayerWithReset pass
-03-22 20:01:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testSetPlaybackParamsPositiveSpeed)
-03-22 20:01:36 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testSetPlaybackParamsPositiveSpeed, {})
-03-22 20:01:36 I/ConsoleReporter: [773/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testSetPlaybackParamsPositiveSpeed pass
-03-22 20:01:36 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testSetPlaybackParamsZeroSpeed)
-03-22 20:01:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testSetPlaybackParamsZeroSpeed, {})
-03-22 20:01:43 I/ConsoleReporter: [774/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testSetPlaybackParamsZeroSpeed pass
-03-22 20:01:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testVideoSurfaceResetting)
-03-22 20:01:43 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testVideoSurfaceResetting, {})
-03-22 20:01:43 I/ConsoleReporter: [775/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testVideoSurfaceResetting pass
-03-22 20:01:43 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testVorbisCrash)
-03-22 20:01:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testVorbisCrash, {})
-03-22 20:01:54 I/ConsoleReporter: [776/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testVorbisCrash pass
-03-22 20:01:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaPlayerTest#testonInputBufferFilledSigsegv)
-03-22 20:01:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaPlayerTest#testonInputBufferFilledSigsegv, {})
-03-22 20:01:54 I/ConsoleReporter: [777/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaPlayerTest#testonInputBufferFilledSigsegv pass
-03-22 20:01:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaControllerTest#testSendCommand)
-03-22 20:01:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaControllerTest#testSendCommand, {})
-03-22 20:01:54 I/ConsoleReporter: [778/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaControllerTest#testSendCommand pass
-03-22 20:01:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaControllerTest#testTransportControlsAndMediaSessionCallback)
-03-22 20:01:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaControllerTest#testTransportControlsAndMediaSessionCallback, {})
-03-22 20:01:54 I/ConsoleReporter: [779/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaControllerTest#testTransportControlsAndMediaSessionCallback pass
-03-22 20:01:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaControllerTest#testVolumeControl)
-03-22 20:01:54 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaControllerTest#testVolumeControl, {})
-03-22 20:01:54 I/ConsoleReporter: [780/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaControllerTest#testVolumeControl pass
-03-22 20:01:54 D/ModuleListener: ModuleListener.testStarted(android.media.cts.Vp8EncoderTest#testAsyncEncoding)
-03-22 20:01:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.Vp8EncoderTest#testAsyncEncoding, {})
-03-22 20:01:59 I/ConsoleReporter: [781/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.Vp8EncoderTest#testAsyncEncoding pass
-03-22 20:01:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.Vp8EncoderTest#testBasic)
-03-22 20:02:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.Vp8EncoderTest#testBasic, {})
-03-22 20:02:07 I/ConsoleReporter: [782/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.Vp8EncoderTest#testBasic pass
-03-22 20:02:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.Vp8EncoderTest#testDynamicBitrateChange)
-03-22 20:02:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.Vp8EncoderTest#testDynamicBitrateChange, {})
-03-22 20:02:09 I/ConsoleReporter: [783/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.Vp8EncoderTest#testDynamicBitrateChange pass
-03-22 20:02:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.Vp8EncoderTest#testEncoderQuality)
-03-22 20:02:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.Vp8EncoderTest#testEncoderQuality, {})
-03-22 20:02:19 I/ConsoleReporter: [784/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.Vp8EncoderTest#testEncoderQuality pass
-03-22 20:02:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.Vp8EncoderTest#testParallelEncodingAndDecoding)
-03-22 20:02:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.Vp8EncoderTest#testParallelEncodingAndDecoding, {})
-03-22 20:02:23 I/ConsoleReporter: [785/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.Vp8EncoderTest#testParallelEncodingAndDecoding pass
-03-22 20:02:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.Vp8EncoderTest#testSyncFrame)
-03-22 20:02:24 D/ModuleListener: ModuleListener.testEnded(android.media.cts.Vp8EncoderTest#testSyncFrame, {})
-03-22 20:02:24 I/ConsoleReporter: [786/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.Vp8EncoderTest#testSyncFrame pass
-03-22 20:02:24 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMuxerTest#testAudioOnly)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMuxerTest#testAudioOnly, {})
-03-22 20:02:25 I/ConsoleReporter: [787/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMuxerTest#testAudioOnly pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMuxerTest#testIllegalStateExceptions)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMuxerTest#testIllegalStateExceptions, {})
-03-22 20:02:25 I/ConsoleReporter: [788/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMuxerTest#testIllegalStateExceptions pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMuxerTest#testVideoAudio)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMuxerTest#testVideoAudio, {})
-03-22 20:02:25 I/ConsoleReporter: [789/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMuxerTest#testVideoAudio pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaMuxerTest#testVideoOnly)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaMuxerTest#testVideoOnly, {})
-03-22 20:02:25 I/ConsoleReporter: [790/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaMuxerTest#testVideoOnly pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.PresetReverbTest#test0_0ConstructorAndRelease)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.PresetReverbTest#test0_0ConstructorAndRelease, {})
-03-22 20:02:25 I/ConsoleReporter: [791/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.PresetReverbTest#test0_0ConstructorAndRelease pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.PresetReverbTest#test1_0Presets)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.PresetReverbTest#test1_0Presets, {})
-03-22 20:02:25 I/ConsoleReporter: [792/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.PresetReverbTest#test1_0Presets pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.PresetReverbTest#test1_1Properties)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.PresetReverbTest#test1_1Properties, {})
-03-22 20:02:25 I/ConsoleReporter: [793/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.PresetReverbTest#test1_1Properties pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.PresetReverbTest#test2_0SetEnabledGetEnabled)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.PresetReverbTest#test2_0SetEnabledGetEnabled, {})
-03-22 20:02:25 I/ConsoleReporter: [794/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.PresetReverbTest#test2_0SetEnabledGetEnabled pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.PresetReverbTest#test2_1SetEnabledAfterRelease)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.PresetReverbTest#test2_1SetEnabledAfterRelease, {})
-03-22 20:02:25 I/ConsoleReporter: [795/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.PresetReverbTest#test2_1SetEnabledAfterRelease pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.PresetReverbTest#test3_0ControlStatusListener)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.PresetReverbTest#test3_0ControlStatusListener, {})
-03-22 20:02:25 I/ConsoleReporter: [796/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.PresetReverbTest#test3_0ControlStatusListener pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.PresetReverbTest#test3_1EnableStatusListener)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.PresetReverbTest#test3_1EnableStatusListener, {})
-03-22 20:02:25 I/ConsoleReporter: [797/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.PresetReverbTest#test3_1EnableStatusListener pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.PresetReverbTest#test3_2ParameterChangedListener)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.PresetReverbTest#test3_2ParameterChangedListener, {})
-03-22 20:02:25 I/ConsoleReporter: [798/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.PresetReverbTest#test3_2ParameterChangedListener pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VisualizerTest#test0_0ConstructorAndRelease)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VisualizerTest#test0_0ConstructorAndRelease, {})
-03-22 20:02:25 I/ConsoleReporter: [799/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VisualizerTest#test0_0ConstructorAndRelease pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VisualizerTest#test1_0CaptureRates)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VisualizerTest#test1_0CaptureRates, {})
-03-22 20:02:25 I/ConsoleReporter: [800/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VisualizerTest#test1_0CaptureRates pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VisualizerTest#test1_1CaptureSize)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VisualizerTest#test1_1CaptureSize, {})
-03-22 20:02:25 I/ConsoleReporter: [801/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VisualizerTest#test1_1CaptureSize pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VisualizerTest#test2_0PollingCapture)
-03-22 20:02:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VisualizerTest#test2_0PollingCapture, {})
-03-22 20:02:25 I/ConsoleReporter: [802/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VisualizerTest#test2_0PollingCapture pass
-03-22 20:02:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VisualizerTest#test2_1ListenerCapture)
-03-22 20:02:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VisualizerTest#test2_1ListenerCapture, {})
-03-22 20:02:26 I/ConsoleReporter: [803/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VisualizerTest#test2_1ListenerCapture pass
-03-22 20:02:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VisualizerTest#test3_0MeasurementModeNone)
-03-22 20:02:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VisualizerTest#test3_0MeasurementModeNone, {})
-03-22 20:02:26 I/ConsoleReporter: [804/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VisualizerTest#test3_0MeasurementModeNone pass
-03-22 20:02:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VisualizerTest#test4_0MeasurementModePeakRms)
-03-22 20:02:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VisualizerTest#test4_0MeasurementModePeakRms, {})
-03-22 20:02:26 I/ConsoleReporter: [805/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VisualizerTest#test4_0MeasurementModePeakRms pass
-03-22 20:02:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VisualizerTest#test4_1MeasurePeakRms)
-03-22 20:02:26 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VisualizerTest#test4_1MeasurePeakRms, {})
-03-22 20:02:26 I/ConsoleReporter: [806/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VisualizerTest#test4_1MeasurePeakRms pass
-03-22 20:02:26 D/ModuleListener: ModuleListener.testStarted(android.media.cts.VisualizerTest#test4_2MeasurePeakRmsLongMP3)
-03-22 20:02:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.VisualizerTest#test4_2MeasurePeakRmsLongMP3, {})
-03-22 20:02:27 I/ConsoleReporter: [807/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.VisualizerTest#test4_2MeasurePeakRmsLongMP3 pass
-03-22 20:02:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnumDevicesTest#test_deviceCallback)
-03-22 20:02:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnumDevicesTest#test_deviceCallback, {})
-03-22 20:02:27 I/ConsoleReporter: [808/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnumDevicesTest#test_deviceCallback pass
-03-22 20:02:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnumDevicesTest#test_devicesInfoFields)
-03-22 20:02:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnumDevicesTest#test_devicesInfoFields, {})
-03-22 20:02:27 I/ConsoleReporter: [809/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnumDevicesTest#test_devicesInfoFields pass
-03-22 20:02:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EnumDevicesTest#test_getDevices)
-03-22 20:02:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EnumDevicesTest#test_getDevices, {})
-03-22 20:02:27 I/ConsoleReporter: [810/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EnumDevicesTest#test_getDevices pass
-03-22 20:02:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRandomTest#testPlayerRandomActionH264)
-03-22 20:03:02 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRandomTest#testPlayerRandomActionH264, {})
-03-22 20:03:02 I/ConsoleReporter: [811/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRandomTest#testPlayerRandomActionH264 pass
-03-22 20:03:02 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRandomTest#testPlayerRandomActionHEVC)
-03-22 20:03:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRandomTest#testPlayerRandomActionHEVC, {})
-03-22 20:03:27 I/ConsoleReporter: [812/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRandomTest#testPlayerRandomActionHEVC pass
-03-22 20:03:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRandomTest#testRecorderRandomAction)
-03-22 20:05:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRandomTest#testRecorderRandomAction, {})
-03-22 20:05:57 I/ConsoleReporter: [813/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRandomTest#testRecorderRandomAction pass
-03-22 20:05:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ResourceManagerTest#testReclaimResourceMixVsNonsecure)
-03-22 20:06:07 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ResourceManagerTest#testReclaimResourceMixVsNonsecure, {})
-03-22 20:06:07 I/ConsoleReporter: [814/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ResourceManagerTest#testReclaimResourceMixVsNonsecure pass
-03-22 20:06:07 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ResourceManagerTest#testReclaimResourceMixVsSecure)
-03-22 20:06:18 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ResourceManagerTest#testReclaimResourceMixVsSecure, {})
-03-22 20:06:18 I/ConsoleReporter: [815/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ResourceManagerTest#testReclaimResourceMixVsSecure pass
-03-22 20:06:18 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ResourceManagerTest#testReclaimResourceNonsecureVsNonsecure)
-03-22 20:06:28 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ResourceManagerTest#testReclaimResourceNonsecureVsNonsecure, {})
-03-22 20:06:28 I/ConsoleReporter: [816/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ResourceManagerTest#testReclaimResourceNonsecureVsNonsecure pass
-03-22 20:06:28 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ResourceManagerTest#testReclaimResourceNonsecureVsSecure)
-03-22 20:06:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ResourceManagerTest#testReclaimResourceNonsecureVsSecure, {})
-03-22 20:06:49 I/ConsoleReporter: [817/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ResourceManagerTest#testReclaimResourceNonsecureVsSecure pass
-03-22 20:06:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ResourceManagerTest#testReclaimResourceSecureVsNonsecure)
-03-22 20:06:59 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ResourceManagerTest#testReclaimResourceSecureVsNonsecure, {})
-03-22 20:06:59 I/ConsoleReporter: [818/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ResourceManagerTest#testReclaimResourceSecureVsNonsecure pass
-03-22 20:06:59 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ResourceManagerTest#testReclaimResourceSecureVsSecure)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ResourceManagerTest#testReclaimResourceSecureVsSecure, {})
-03-22 20:07:09 I/ConsoleReporter: [819/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ResourceManagerTest#testReclaimResourceSecureVsSecure pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testPlaybackParamsAudioFallbackMode)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testPlaybackParamsAudioFallbackMode, {})
-03-22 20:07:09 I/ConsoleReporter: [820/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testPlaybackParamsAudioFallbackMode pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testPlaybackParamsAudioStretchMode)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testPlaybackParamsAudioStretchMode, {})
-03-22 20:07:09 I/ConsoleReporter: [821/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testPlaybackParamsAudioStretchMode pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testPlaybackParamsConstants)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testPlaybackParamsConstants, {})
-03-22 20:07:09 I/ConsoleReporter: [822/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testPlaybackParamsConstants pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testPlaybackParamsDefaults)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testPlaybackParamsDefaults, {})
-03-22 20:07:09 I/ConsoleReporter: [823/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testPlaybackParamsDefaults pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testPlaybackParamsDescribeContents)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testPlaybackParamsDescribeContents, {})
-03-22 20:07:09 I/ConsoleReporter: [824/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testPlaybackParamsDescribeContents pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testPlaybackParamsMultipleSettings)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testPlaybackParamsMultipleSettings, {})
-03-22 20:07:09 I/ConsoleReporter: [825/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testPlaybackParamsMultipleSettings pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testPlaybackParamsPitch)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testPlaybackParamsPitch, {})
-03-22 20:07:09 I/ConsoleReporter: [826/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testPlaybackParamsPitch pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testPlaybackParamsSpeed)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testPlaybackParamsSpeed, {})
-03-22 20:07:09 I/ConsoleReporter: [827/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testPlaybackParamsSpeed pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testPlaybackParamsWriteToParcel)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testPlaybackParamsWriteToParcel, {})
-03-22 20:07:09 I/ConsoleReporter: [828/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testPlaybackParamsWriteToParcel pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testSyncParamsAudioAdjustMode)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testSyncParamsAudioAdjustMode, {})
-03-22 20:07:09 I/ConsoleReporter: [829/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testSyncParamsAudioAdjustMode pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testSyncParamsConstants)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testSyncParamsConstants, {})
-03-22 20:07:09 I/ConsoleReporter: [830/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testSyncParamsConstants pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testSyncParamsDefaults)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testSyncParamsDefaults, {})
-03-22 20:07:09 I/ConsoleReporter: [831/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testSyncParamsDefaults pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testSyncParamsFrameRate)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testSyncParamsFrameRate, {})
-03-22 20:07:09 I/ConsoleReporter: [832/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testSyncParamsFrameRate pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testSyncParamsMultipleSettings)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testSyncParamsMultipleSettings, {})
-03-22 20:07:09 I/ConsoleReporter: [833/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testSyncParamsMultipleSettings pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testSyncParamsSyncSource)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testSyncParamsSyncSource, {})
-03-22 20:07:09 I/ConsoleReporter: [834/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testSyncParamsSyncSource pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ParamsTest#testSyncParamsTolerance)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ParamsTest#testSyncParamsTolerance, {})
-03-22 20:07:09 I/ConsoleReporter: [835/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ParamsTest#testSyncParamsTolerance pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSessionManagerTest#testAddOnActiveSessionsListener)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSessionManagerTest#testAddOnActiveSessionsListener, {})
-03-22 20:07:09 I/ConsoleReporter: [836/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSessionManagerTest#testAddOnActiveSessionsListener pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSessionManagerTest#testGetActiveSessions)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSessionManagerTest#testGetActiveSessions, {})
-03-22 20:07:09 I/ConsoleReporter: [837/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSessionManagerTest#testGetActiveSessions pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testBadCryptoSession)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testBadCryptoSession, {})
-03-22 20:07:09 I/ConsoleReporter: [838/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testBadCryptoSession pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testBadSession)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testBadSession, {})
-03-22 20:07:09 I/ConsoleReporter: [839/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testBadSession pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testByteArrayProperties)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testByteArrayProperties, {})
-03-22 20:07:09 I/ConsoleReporter: [840/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testByteArrayProperties pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testCryptoSession)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testCryptoSession, {})
-03-22 20:07:09 I/ConsoleReporter: [841/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testCryptoSession pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testCryptoSessionDecrypt)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testCryptoSessionDecrypt, {})
-03-22 20:07:09 I/ConsoleReporter: [842/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testCryptoSessionDecrypt pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testCryptoSessionEncrypt)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testCryptoSessionEncrypt, {})
-03-22 20:07:09 I/ConsoleReporter: [843/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testCryptoSessionEncrypt pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testCryptoSessionSign)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testCryptoSessionSign, {})
-03-22 20:07:09 I/ConsoleReporter: [844/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testCryptoSessionSign pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testCryptoSessionVerify)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testCryptoSessionVerify, {})
-03-22 20:07:09 I/ConsoleReporter: [845/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testCryptoSessionVerify pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testEventNoSessionNoData)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testEventNoSessionNoData, {})
-03-22 20:07:09 I/ConsoleReporter: [846/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testEventNoSessionNoData pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testEventWithSessionAndData)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testEventWithSessionAndData, {})
-03-22 20:07:09 I/ConsoleReporter: [847/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testEventWithSessionAndData pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testExpirationUpdate)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testExpirationUpdate, {})
-03-22 20:07:09 I/ConsoleReporter: [848/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testExpirationUpdate pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testGetKeyRequest)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testGetKeyRequest, {})
-03-22 20:07:09 I/ConsoleReporter: [849/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testGetKeyRequest pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testGetKeyRequestNoOptionalParameters)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testGetKeyRequestNoOptionalParameters, {})
-03-22 20:07:09 I/ConsoleReporter: [850/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testGetKeyRequestNoOptionalParameters pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testGetKeyRequestOffline)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testGetKeyRequestOffline, {})
-03-22 20:07:09 I/ConsoleReporter: [851/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testGetKeyRequestOffline pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testGetKeyRequestRelease)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testGetKeyRequestRelease, {})
-03-22 20:07:09 I/ConsoleReporter: [852/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testGetKeyRequestRelease pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testGetProvisionRequest)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testGetProvisionRequest, {})
-03-22 20:07:09 I/ConsoleReporter: [853/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testGetProvisionRequest pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testGetSecureStops)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testGetSecureStops, {})
-03-22 20:07:09 I/ConsoleReporter: [854/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testGetSecureStops pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testIsCryptoSchemeNotSupported)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testIsCryptoSchemeNotSupported, {})
-03-22 20:07:09 I/ConsoleReporter: [855/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testIsCryptoSchemeNotSupported pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testIsMimeTypeNotSupported)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testIsMimeTypeNotSupported, {})
-03-22 20:07:09 I/ConsoleReporter: [856/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testIsMimeTypeNotSupported pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testIsMimeTypeSupported)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testIsMimeTypeSupported, {})
-03-22 20:07:09 I/ConsoleReporter: [857/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testIsMimeTypeSupported pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testKeyStatusChange)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testKeyStatusChange, {})
-03-22 20:07:09 I/ConsoleReporter: [858/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testKeyStatusChange pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testMediaDrmConstructor)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testMediaDrmConstructor, {})
-03-22 20:07:09 I/ConsoleReporter: [859/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testMediaDrmConstructor pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testMediaDrmConstructorFails)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testMediaDrmConstructorFails, {})
-03-22 20:07:09 I/ConsoleReporter: [860/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testMediaDrmConstructorFails pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testMissingPropertyByteArray)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testMissingPropertyByteArray, {})
-03-22 20:07:09 I/ConsoleReporter: [861/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testMissingPropertyByteArray pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testMissingPropertyString)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testMissingPropertyString, {})
-03-22 20:07:09 I/ConsoleReporter: [862/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testMissingPropertyString pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testMultipleSessions)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testMultipleSessions, {})
-03-22 20:07:09 I/ConsoleReporter: [863/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testMultipleSessions pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testNullPropertyByteArray)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testNullPropertyByteArray, {})
-03-22 20:07:09 I/ConsoleReporter: [864/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testNullPropertyByteArray pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testNullPropertyString)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testNullPropertyString, {})
-03-22 20:07:09 I/ConsoleReporter: [865/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testNullPropertyString pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testNullSession)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testNullSession, {})
-03-22 20:07:09 I/ConsoleReporter: [866/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testNullSession pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testOpenCloseSession)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testOpenCloseSession, {})
-03-22 20:07:09 I/ConsoleReporter: [867/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testOpenCloseSession pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testProvideKeyResponse)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testProvideKeyResponse, {})
-03-22 20:07:09 I/ConsoleReporter: [868/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testProvideKeyResponse pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testProvideProvisionResponse)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testProvideProvisionResponse, {})
-03-22 20:07:09 I/ConsoleReporter: [869/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testProvideProvisionResponse pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testQueryKeyStatus)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testQueryKeyStatus, {})
-03-22 20:07:09 I/ConsoleReporter: [870/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testQueryKeyStatus pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testReleaseSecureStops)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testReleaseSecureStops, {})
-03-22 20:07:09 I/ConsoleReporter: [871/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testReleaseSecureStops pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testRemoveKeys)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testRemoveKeys, {})
-03-22 20:07:09 I/ConsoleReporter: [872/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testRemoveKeys pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testRestoreKeys)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testRestoreKeys, {})
-03-22 20:07:09 I/ConsoleReporter: [873/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testRestoreKeys pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaDrmMockTest#testStringProperties)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaDrmMockTest#testStringProperties, {})
-03-22 20:07:09 I/ConsoleReporter: [874/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaDrmMockTest#testStringProperties pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MidiSoloTest#testMidiManager)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MidiSoloTest#testMidiManager, {})
-03-22 20:07:09 I/ConsoleReporter: [875/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MidiSoloTest#testMidiManager pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MidiSoloTest#testMidiReceiver)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MidiSoloTest#testMidiReceiver, {})
-03-22 20:07:09 I/ConsoleReporter: [876/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MidiSoloTest#testMidiReceiver pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MidiSoloTest#testMidiReceiverException)
-03-22 20:07:09 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MidiSoloTest#testMidiReceiverException, {})
-03-22 20:07:09 I/ConsoleReporter: [877/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MidiSoloTest#testMidiReceiverException pass
-03-22 20:07:09 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolOggTest#testAutoPauseResume)
-03-22 20:07:13 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolOggTest#testAutoPauseResume, {})
-03-22 20:07:13 I/ConsoleReporter: [878/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolOggTest#testAutoPauseResume pass
-03-22 20:07:13 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolOggTest#testLoad)
-03-22 20:07:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolOggTest#testLoad, {})
-03-22 20:07:15 I/ConsoleReporter: [879/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolOggTest#testLoad pass
-03-22 20:07:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolOggTest#testLoadMore)
-03-22 20:07:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolOggTest#testLoadMore, {})
-03-22 20:07:21 I/ConsoleReporter: [880/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolOggTest#testLoadMore pass
-03-22 20:07:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolOggTest#testMultiSound)
-03-22 20:07:35 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolOggTest#testMultiSound, {})
-03-22 20:07:35 I/ConsoleReporter: [881/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolOggTest#testMultiSound pass
-03-22 20:07:35 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolOggTest#testSoundPoolOp)
-03-22 20:07:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolOggTest#testSoundPoolOp, {})
-03-22 20:07:52 I/ConsoleReporter: [882/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolOggTest#testSoundPoolOp pass
-03-22 20:07:52 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testAbruptStop)
-03-22 20:08:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testAbruptStop, {})
-03-22 20:08:16 I/ConsoleReporter: [883/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testAbruptStop pass
-03-22 20:08:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testConcurrentAudioVideoEncodings)
-03-22 20:08:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testConcurrentAudioVideoEncodings, {})
-03-22 20:08:19 I/ConsoleReporter: [884/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testConcurrentAudioVideoEncodings pass
-03-22 20:08:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testCreateAudioDecoderAndEncoder)
-03-22 20:08:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testCreateAudioDecoderAndEncoder, {})
-03-22 20:08:19 I/ConsoleReporter: [885/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testCreateAudioDecoderAndEncoder pass
-03-22 20:08:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testCreateInputSurfaceErrors)
-03-22 20:08:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testCreateInputSurfaceErrors, {})
-03-22 20:08:19 I/ConsoleReporter: [886/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testCreateInputSurfaceErrors pass
-03-22 20:08:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testCreateTwoAudioDecoders)
-03-22 20:08:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testCreateTwoAudioDecoders, {})
-03-22 20:08:19 I/ConsoleReporter: [887/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testCreateTwoAudioDecoders pass
-03-22 20:08:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testCryptoInfoPattern)
-03-22 20:08:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testCryptoInfoPattern, {})
-03-22 20:08:19 I/ConsoleReporter: [888/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testCryptoInfoPattern pass
-03-22 20:08:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testDecodeAfterFlush)
-03-22 20:08:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testDecodeAfterFlush, {})
-03-22 20:08:19 I/ConsoleReporter: [889/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testDecodeAfterFlush pass
-03-22 20:08:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testDecodeShortInput)
-03-22 20:08:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testDecodeShortInput, {})
-03-22 20:08:19 I/ConsoleReporter: [890/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testDecodeShortInput pass
-03-22 20:08:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testDequeueSurface)
-03-22 20:08:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testDequeueSurface, {})
-03-22 20:08:19 I/ConsoleReporter: [891/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testDequeueSurface pass
-03-22 20:08:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testException)
-03-22 20:08:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testException, {})
-03-22 20:08:19 I/ConsoleReporter: [892/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testException pass
-03-22 20:08:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testReconfigureWithoutSurface)
-03-22 20:08:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testReconfigureWithoutSurface, {})
-03-22 20:08:19 I/ConsoleReporter: [893/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testReconfigureWithoutSurface pass
-03-22 20:08:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testReleaseAfterFlush)
-03-22 20:08:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testReleaseAfterFlush, {})
-03-22 20:08:21 I/ConsoleReporter: [894/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testReleaseAfterFlush pass
-03-22 20:08:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaCodecTest#testSignalSurfaceEOS)
-03-22 20:08:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaCodecTest#testSignalSurfaceEOS, {})
-03-22 20:08:21 I/ConsoleReporter: [895/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaCodecTest#testSignalSurfaceEOS pass
-03-22 20:08:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RingtoneManagerTest#testAccessMethods)
-03-22 20:08:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RingtoneManagerTest#testAccessMethods, {})
-03-22 20:08:23 I/ConsoleReporter: [896/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RingtoneManagerTest#testAccessMethods pass
-03-22 20:08:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RingtoneManagerTest#testConstructors)
-03-22 20:08:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RingtoneManagerTest#testConstructors, {})
-03-22 20:08:25 I/ConsoleReporter: [897/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RingtoneManagerTest#testConstructors pass
-03-22 20:08:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RingtoneManagerTest#testSetType)
-03-22 20:08:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RingtoneManagerTest#testSetType, {})
-03-22 20:08:27 I/ConsoleReporter: [898/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RingtoneManagerTest#testSetType pass
-03-22 20:08:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RingtoneManagerTest#testStopPreviousRingtone)
-03-22 20:08:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RingtoneManagerTest#testStopPreviousRingtone, {})
-03-22 20:08:29 I/ConsoleReporter: [899/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RingtoneManagerTest#testStopPreviousRingtone pass
-03-22 20:08:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserServiceTest#testBrowserRoot)
-03-22 20:08:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserServiceTest#testBrowserRoot, {})
-03-22 20:08:29 I/ConsoleReporter: [900/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserServiceTest#testBrowserRoot pass
-03-22 20:08:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserServiceTest#testDelayedItem)
-03-22 20:08:29 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserServiceTest#testDelayedItem, {})
-03-22 20:08:29 I/ConsoleReporter: [901/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserServiceTest#testDelayedItem pass
-03-22 20:08:29 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserServiceTest#testDelayedNotifyChildrenChanged)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserServiceTest#testDelayedNotifyChildrenChanged, {})
-03-22 20:08:31 I/ConsoleReporter: [902/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserServiceTest#testDelayedNotifyChildrenChanged pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserServiceTest#testGetSessionToken)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserServiceTest#testGetSessionToken, {})
-03-22 20:08:31 I/ConsoleReporter: [903/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserServiceTest#testGetSessionToken pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserServiceTest#testNotifyChildrenChanged)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserServiceTest#testNotifyChildrenChanged, {})
-03-22 20:08:31 I/ConsoleReporter: [904/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserServiceTest#testNotifyChildrenChanged pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaBrowserServiceTest#testNotifyChildrenChangedWithPagination)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaBrowserServiceTest#testNotifyChildrenChangedWithPagination, {})
-03-22 20:08:31 I/ConsoleReporter: [905/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaBrowserServiceTest#testNotifyChildrenChangedWithPagination pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSessionTest#testConfigureSession)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSessionTest#testConfigureSession, {})
-03-22 20:08:31 I/ConsoleReporter: [906/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSessionTest#testConfigureSession pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSessionTest#testCreateSession)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSessionTest#testCreateSession, {})
-03-22 20:08:31 I/ConsoleReporter: [907/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSessionTest#testCreateSession pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSessionTest#testPlaybackToLocalAndRemote)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSessionTest#testPlaybackToLocalAndRemote, {})
-03-22 20:08:31 I/ConsoleReporter: [908/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSessionTest#testPlaybackToLocalAndRemote pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSessionTest#testQueueItem)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSessionTest#testQueueItem, {})
-03-22 20:08:31 I/ConsoleReporter: [909/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSessionTest#testQueueItem pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaSessionTest#testSessionToken)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaSessionTest#testSessionToken, {})
-03-22 20:08:31 I/ConsoleReporter: [910/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaSessionTest#testSessionToken pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.LoudnessEnhancerTest#test0_0ConstructorAndRelease)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.LoudnessEnhancerTest#test0_0ConstructorAndRelease, {})
-03-22 20:08:31 I/ConsoleReporter: [911/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.LoudnessEnhancerTest#test0_0ConstructorAndRelease pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.LoudnessEnhancerTest#test1_0TargetGain)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.LoudnessEnhancerTest#test1_0TargetGain, {})
-03-22 20:08:31 I/ConsoleReporter: [912/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.LoudnessEnhancerTest#test1_0TargetGain pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.LoudnessEnhancerTest#test2_0SetEnabledGetEnabled)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.LoudnessEnhancerTest#test2_0SetEnabledGetEnabled, {})
-03-22 20:08:31 I/ConsoleReporter: [913/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.LoudnessEnhancerTest#test2_0SetEnabledGetEnabled pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.LoudnessEnhancerTest#test2_1SetEnabledAfterRelease)
-03-22 20:08:31 D/ModuleListener: ModuleListener.testEnded(android.media.cts.LoudnessEnhancerTest#test2_1SetEnabledAfterRelease, {})
-03-22 20:08:31 I/ConsoleReporter: [914/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.LoudnessEnhancerTest#test2_1SetEnabledAfterRelease pass
-03-22 20:08:31 D/ModuleListener: ModuleListener.testStarted(android.media.cts.LoudnessEnhancerTest#test3_0MeasureGainChange)
-03-22 20:08:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.LoudnessEnhancerTest#test3_0MeasureGainChange, {})
-03-22 20:08:32 I/ConsoleReporter: [915/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.LoudnessEnhancerTest#test3_0MeasureGainChange pass
-03-22 20:08:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ExifInterfaceTest#testReadExifDataFromExifByteOrderIIJpeg)
-03-22 20:08:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ExifInterfaceTest#testReadExifDataFromExifByteOrderIIJpeg, {})
-03-22 20:08:32 I/ConsoleReporter: [916/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ExifInterfaceTest#testReadExifDataFromExifByteOrderIIJpeg pass
-03-22 20:08:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ExifInterfaceTest#testReadExifDataFromExifByteOrderMMJpeg)
-03-22 20:08:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ExifInterfaceTest#testReadExifDataFromExifByteOrderMMJpeg, {})
-03-22 20:08:32 I/ConsoleReporter: [917/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ExifInterfaceTest#testReadExifDataFromExifByteOrderMMJpeg pass
-03-22 20:08:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.ExifInterfaceTest#testReadExifDataFromLgG4Iso800Dng)
-03-22 20:08:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.ExifInterfaceTest#testReadExifDataFromLgG4Iso800Dng, {})
-03-22 20:08:32 I/ConsoleReporter: [918/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.ExifInterfaceTest#testReadExifDataFromLgG4Iso800Dng pass
-03-22 20:08:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncoderTest#testAACEncoders)
-03-22 20:09:15 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncoderTest#testAACEncoders, {})
-03-22 20:09:15 I/ConsoleReporter: [919/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncoderTest#testAACEncoders pass
-03-22 20:09:15 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncoderTest#testAMRNBEncoders)
-03-22 20:09:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncoderTest#testAMRNBEncoders, {})
-03-22 20:09:44 I/ConsoleReporter: [920/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncoderTest#testAMRNBEncoders pass
-03-22 20:09:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EncoderTest#testAMRWBEncoders)
-03-22 20:10:21 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EncoderTest#testAMRWBEncoders, {})
-03-22 20:10:21 I/ConsoleReporter: [921/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EncoderTest#testAMRWBEncoders pass
-03-22 20:10:21 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolMidiTest#testAutoPauseResume)
-03-22 20:10:25 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolMidiTest#testAutoPauseResume, {})
-03-22 20:10:25 I/ConsoleReporter: [922/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolMidiTest#testAutoPauseResume pass
-03-22 20:10:25 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolMidiTest#testLoad)
-03-22 20:10:27 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolMidiTest#testLoad, {})
-03-22 20:10:27 I/ConsoleReporter: [923/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolMidiTest#testLoad pass
-03-22 20:10:27 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolMidiTest#testLoadMore)
-03-22 20:10:32 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolMidiTest#testLoadMore, {})
-03-22 20:10:32 I/ConsoleReporter: [924/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolMidiTest#testLoadMore pass
-03-22 20:10:32 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolMidiTest#testMultiSound)
-03-22 20:10:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolMidiTest#testMultiSound, {})
-03-22 20:10:46 I/ConsoleReporter: [925/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolMidiTest#testMultiSound pass
-03-22 20:10:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.SoundPoolMidiTest#testSoundPoolOp)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.SoundPoolMidiTest#testSoundPoolOp, {})
-03-22 20:11:04 I/ConsoleReporter: [926/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.SoundPoolMidiTest#testSoundPoolOp pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EqualizerTest#test0_0ConstructorAndRelease)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EqualizerTest#test0_0ConstructorAndRelease, {})
-03-22 20:11:04 I/ConsoleReporter: [927/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EqualizerTest#test0_0ConstructorAndRelease pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EqualizerTest#test1_0BandLevel)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EqualizerTest#test1_0BandLevel, {})
-03-22 20:11:04 I/ConsoleReporter: [928/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EqualizerTest#test1_0BandLevel pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EqualizerTest#test1_1BandFrequency)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EqualizerTest#test1_1BandFrequency, {})
-03-22 20:11:04 I/ConsoleReporter: [929/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EqualizerTest#test1_1BandFrequency pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EqualizerTest#test1_2Presets)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EqualizerTest#test1_2Presets, {})
-03-22 20:11:04 I/ConsoleReporter: [930/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EqualizerTest#test1_2Presets pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EqualizerTest#test1_3Properties)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EqualizerTest#test1_3Properties, {})
-03-22 20:11:04 I/ConsoleReporter: [931/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EqualizerTest#test1_3Properties pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EqualizerTest#test1_4SetBandLevelAfterRelease)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EqualizerTest#test1_4SetBandLevelAfterRelease, {})
-03-22 20:11:04 I/ConsoleReporter: [932/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EqualizerTest#test1_4SetBandLevelAfterRelease pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EqualizerTest#test2_0SetEnabledGetEnabled)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EqualizerTest#test2_0SetEnabledGetEnabled, {})
-03-22 20:11:04 I/ConsoleReporter: [933/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EqualizerTest#test2_0SetEnabledGetEnabled pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EqualizerTest#test2_1SetEnabledAfterRelease)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EqualizerTest#test2_1SetEnabledAfterRelease, {})
-03-22 20:11:04 I/ConsoleReporter: [934/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EqualizerTest#test2_1SetEnabledAfterRelease pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EqualizerTest#test3_0ControlStatusListener)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EqualizerTest#test3_0ControlStatusListener, {})
-03-22 20:11:04 I/ConsoleReporter: [935/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EqualizerTest#test3_0ControlStatusListener pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EqualizerTest#test3_1EnableStatusListener)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EqualizerTest#test3_1EnableStatusListener, {})
-03-22 20:11:04 I/ConsoleReporter: [936/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EqualizerTest#test3_1EnableStatusListener pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.EqualizerTest#test3_2ParameterChangedListener)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.EqualizerTest#test3_2ParameterChangedListener, {})
-03-22 20:11:04 I/ConsoleReporter: [937/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.EqualizerTest#test3_2ParameterChangedListener pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testGetAudioSourceMax)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testGetAudioSourceMax, {})
-03-22 20:11:04 I/ConsoleReporter: [938/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testGetAudioSourceMax pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testGetSurfaceApi)
-03-22 20:11:04 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testGetSurfaceApi, {})
-03-22 20:11:04 I/ConsoleReporter: [939/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testGetSurfaceApi pass
-03-22 20:11:04 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testOnErrorListener)
-03-22 20:11:08 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testOnErrorListener, {})
-03-22 20:11:08 I/ConsoleReporter: [940/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testOnErrorListener pass
-03-22 20:11:08 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testOnInfoListener)
-03-22 20:11:11 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testOnInfoListener, {})
-03-22 20:11:11 I/ConsoleReporter: [941/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testOnInfoListener pass
-03-22 20:11:11 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testPersistentSurfaceApi)
-03-22 20:11:12 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testPersistentSurfaceApi, {})
-03-22 20:11:12 I/ConsoleReporter: [942/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testPersistentSurfaceApi pass
-03-22 20:11:12 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testPersistentSurfaceRecording)
-03-22 20:11:19 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testPersistentSurfaceRecording, {})
-03-22 20:11:19 I/ConsoleReporter: [943/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testPersistentSurfaceRecording pass
-03-22 20:11:19 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testPersistentSurfaceRecordingTimeLapse)
-03-22 20:11:41 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testPersistentSurfaceRecordingTimeLapse, {})
-03-22 20:11:41 I/ConsoleReporter: [944/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testPersistentSurfaceRecordingTimeLapse pass
-03-22 20:11:41 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testRecorderAudio)
-03-22 20:11:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testRecorderAudio, {})
-03-22 20:11:44 I/ConsoleReporter: [945/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testRecorderAudio pass
-03-22 20:11:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testRecorderCamera)
-03-22 20:11:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testRecorderCamera, {})
-03-22 20:11:44 I/ConsoleReporter: [946/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testRecorderCamera pass
-03-22 20:11:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testRecorderPauseResume)
-03-22 20:11:44 D/ModuleListener: ModuleListener.testFailed(android.media.cts.MediaRecorderTest#testRecorderPauseResume, java.lang.RuntimeException: unlock failed

-at android.hardware.Camera.unlock(Native Method)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:270)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:234)

-at android.media.cts.MediaRecorderTest.testRecorderPauseResume(MediaRecorderTest.java:221)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at android.test.ActivityInstrumentationTestCase2.runTest(ActivityInstrumentationTestCase2.java:192)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-22 20:11:44 I/ConsoleReporter: [947/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testRecorderPauseResume fail: java.lang.RuntimeException: unlock failed

-at android.hardware.Camera.unlock(Native Method)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:270)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:234)

-at android.media.cts.MediaRecorderTest.testRecorderPauseResume(MediaRecorderTest.java:221)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at android.test.ActivityInstrumentationTestCase2.runTest(ActivityInstrumentationTestCase2.java:192)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-22 20:11:44 I/FailureListener: FailureListener.testFailed android.media.cts.MediaRecorderTest#testRecorderPauseResume false true false
-03-22 20:11:46 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44 with prefix "android.media.cts.MediaRecorderTest#testRecorderPauseResume-logcat_" suffix ".zip"
-03-22 20:11:46 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.MediaRecorderTest#testRecorderPauseResume-logcat_4660722440218157687.zip
-03-22 20:11:46 I/ResultReporter: Saved logs for android.media.cts.MediaRecorderTest#testRecorderPauseResume-logcat in /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.MediaRecorderTest#testRecorderPauseResume-logcat_4660722440218157687.zip
-03-22 20:11:46 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_2858568675927852618 with prefix "android.media.cts.MediaRecorderTest#testRecorderPauseResume-logcat_" suffix ".zip"
-03-22 20:11:46 D/RunUtil: Running command with timeout: 10000ms
-03-22 20:11:47 D/RunUtil: Running [chmod]
-03-22 20:11:47 D/RunUtil: [chmod] command failed. return code 1
-03-22 20:11:47 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testRecorderPauseResume-logcat_5819913392520087878.zip to ug+rwx
-03-22 20:11:47 D/RunUtil: Running command with timeout: 10000ms
-03-22 20:11:47 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testRecorderPauseResume-logcat_5819913392520087878.zip]
-03-22 20:11:47 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testRecorderPauseResume-logcat_5819913392520087878.zip
-03-22 20:11:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testRecorderPauseResume, {})
-03-22 20:11:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse)
-03-22 20:11:47 D/ModuleListener: ModuleListener.testFailed(android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse, java.lang.RuntimeException: unlock failed

-at android.hardware.Camera.unlock(Native Method)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:270)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:234)

-at android.media.cts.MediaRecorderTest.testRecorderPauseResumeOnTimeLapse(MediaRecorderTest.java:225)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at android.test.ActivityInstrumentationTestCase2.runTest(ActivityInstrumentationTestCase2.java:192)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-22 20:11:47 I/ConsoleReporter: [948/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse fail: java.lang.RuntimeException: unlock failed

-at android.hardware.Camera.unlock(Native Method)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:270)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:234)

-at android.media.cts.MediaRecorderTest.testRecorderPauseResumeOnTimeLapse(MediaRecorderTest.java:225)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at android.test.ActivityInstrumentationTestCase2.runTest(ActivityInstrumentationTestCase2.java:192)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-22 20:11:47 I/FailureListener: FailureListener.testFailed android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse false true false
-03-22 20:11:49 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44 with prefix "android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse-logcat_" suffix ".zip"
-03-22 20:11:49 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse-logcat_4083218185113929023.zip
-03-22 20:11:49 I/ResultReporter: Saved logs for android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse-logcat in /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse-logcat_4083218185113929023.zip
-03-22 20:11:49 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_2858568675927852618 with prefix "android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse-logcat_" suffix ".zip"
-03-22 20:11:49 D/RunUtil: Running command with timeout: 10000ms
-03-22 20:11:49 D/RunUtil: Running [chmod]
-03-22 20:11:49 D/RunUtil: [chmod] command failed. return code 1
-03-22 20:11:49 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse-logcat_7607907615542300552.zip to ug+rwx
-03-22 20:11:49 D/RunUtil: Running command with timeout: 10000ms
-03-22 20:11:49 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse-logcat_7607907615542300552.zip]
-03-22 20:11:49 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse-logcat_7607907615542300552.zip
-03-22 20:11:49 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testRecorderPauseResumeOnTimeLapse, {})
-03-22 20:11:49 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo)
-03-22 20:11:49 D/ModuleListener: ModuleListener.testFailed(android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo, java.lang.RuntimeException: unlock failed

-at android.hardware.Camera.unlock(Native Method)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:270)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:234)

-at android.media.cts.MediaRecorderTest.testRecorderTimelapsedVideo(MediaRecorderTest.java:217)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at android.test.ActivityInstrumentationTestCase2.runTest(ActivityInstrumentationTestCase2.java:192)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-22 20:11:49 I/ConsoleReporter: [949/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo fail: java.lang.RuntimeException: unlock failed

-at android.hardware.Camera.unlock(Native Method)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:270)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:234)

-at android.media.cts.MediaRecorderTest.testRecorderTimelapsedVideo(MediaRecorderTest.java:217)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at android.test.ActivityInstrumentationTestCase2.runTest(ActivityInstrumentationTestCase2.java:192)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-22 20:11:49 I/FailureListener: FailureListener.testFailed android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo false true false
-03-22 20:11:51 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44 with prefix "android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo-logcat_" suffix ".zip"
-03-22 20:11:51 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo-logcat_2409219878017629126.zip
-03-22 20:11:51 I/ResultReporter: Saved logs for android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo-logcat in /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo-logcat_2409219878017629126.zip
-03-22 20:11:51 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_2858568675927852618 with prefix "android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo-logcat_" suffix ".zip"
-03-22 20:11:51 D/RunUtil: Running command with timeout: 10000ms
-03-22 20:11:51 D/RunUtil: Running [chmod]
-03-22 20:11:51 D/RunUtil: [chmod] command failed. return code 1
-03-22 20:11:51 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo-logcat_8897897601417329780.zip to ug+rwx
-03-22 20:11:51 D/RunUtil: Running command with timeout: 10000ms
-03-22 20:11:51 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo-logcat_8897897601417329780.zip]
-03-22 20:11:51 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo-logcat_8897897601417329780.zip
-03-22 20:11:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testRecorderTimelapsedVideo, {})
-03-22 20:11:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testRecorderVideo)
-03-22 20:11:51 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testRecorderVideo, {})
-03-22 20:11:51 I/ConsoleReporter: [950/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testRecorderVideo pass
-03-22 20:11:51 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testRecordingAudioInRawFormats)
-03-22 20:11:55 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testRecordingAudioInRawFormats, {})
-03-22 20:11:55 I/ConsoleReporter: [951/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testRecordingAudioInRawFormats pass
-03-22 20:11:55 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testSetCamera)
-03-22 20:11:55 D/ModuleListener: ModuleListener.testFailed(android.media.cts.MediaRecorderTest#testSetCamera, java.lang.RuntimeException: unlock failed

-at android.hardware.Camera.unlock(Native Method)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:270)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:234)

-at android.media.cts.MediaRecorderTest.testSetCamera(MediaRecorderTest.java:213)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.-wrap0(InstrumentationTestCase.java)

-at android.test.InstrumentationTestCase$2.run(InstrumentationTestCase.java:195)

-at android.app.Instrumentation$SyncRunnable.run(Instrumentation.java:1943)

-at android.os.Handler.handleCallback(Handler.java:751)

-at android.os.Handler.dispatchMessage(Handler.java:95)

-at android.os.Looper.loop(Looper.java:154)

-at android.app.ActivityThread.main(ActivityThread.java:6245)

-at java.lang.reflect.Method.invoke(Native Method)

-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)

-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)

-)
-03-22 20:11:55 I/ConsoleReporter: [952/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testSetCamera fail: java.lang.RuntimeException: unlock failed

-at android.hardware.Camera.unlock(Native Method)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:270)

-at android.media.cts.MediaRecorderTest.recordVideoUsingCamera(MediaRecorderTest.java:234)

-at android.media.cts.MediaRecorderTest.testSetCamera(MediaRecorderTest.java:213)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.-wrap0(InstrumentationTestCase.java)

-at android.test.InstrumentationTestCase$2.run(InstrumentationTestCase.java:195)

-at android.app.Instrumentation$SyncRunnable.run(Instrumentation.java:1943)

-at android.os.Handler.handleCallback(Handler.java:751)

-at android.os.Handler.dispatchMessage(Handler.java:95)

-at android.os.Looper.loop(Looper.java:154)

-at android.app.ActivityThread.main(ActivityThread.java:6245)

-at java.lang.reflect.Method.invoke(Native Method)

-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)

-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)

-
-03-22 20:11:55 I/FailureListener: FailureListener.testFailed android.media.cts.MediaRecorderTest#testSetCamera false true false
-03-22 20:11:57 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44 with prefix "android.media.cts.MediaRecorderTest#testSetCamera-logcat_" suffix ".zip"
-03-22 20:11:57 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.MediaRecorderTest#testSetCamera-logcat_6401353890215618485.zip
-03-22 20:11:57 I/ResultReporter: Saved logs for android.media.cts.MediaRecorderTest#testSetCamera-logcat in /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.03.22_17.24.44/android.media.cts.MediaRecorderTest#testSetCamera-logcat_6401353890215618485.zip
-03-22 20:11:57 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_2858568675927852618 with prefix "android.media.cts.MediaRecorderTest#testSetCamera-logcat_" suffix ".zip"
-03-22 20:11:57 D/RunUtil: Running command with timeout: 10000ms
-03-22 20:11:57 D/RunUtil: Running [chmod]
-03-22 20:11:57 D/RunUtil: [chmod] command failed. return code 1
-03-22 20:11:57 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testSetCamera-logcat_1464770701719456740.zip to ug+rwx
-03-22 20:11:57 D/RunUtil: Running command with timeout: 10000ms
-03-22 20:11:57 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testSetCamera-logcat_1464770701719456740.zip]
-03-22 20:11:57 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_2858568675927852618/android.media.cts.MediaRecorderTest#testSetCamera-logcat_1464770701719456740.zip
-03-22 20:11:57 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testSetCamera, {})
-03-22 20:11:57 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testSetMaxDuration)
-03-22 20:12:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testSetMaxDuration, {})
-03-22 20:12:16 I/ConsoleReporter: [953/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testSetMaxDuration pass
-03-22 20:12:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testSetMaxFileSize)
-03-22 20:12:16 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testSetMaxFileSize, {})
-03-22 20:12:16 I/ConsoleReporter: [954/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testSetMaxFileSize pass
-03-22 20:12:16 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testSurfaceRecording)
-03-22 20:12:23 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testSurfaceRecording, {})
-03-22 20:12:23 I/ConsoleReporter: [955/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testSurfaceRecording pass
-03-22 20:12:23 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaRecorderTest#testSurfaceRecordingTimeLapse)
-03-22 20:12:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaRecorderTest#testSurfaceRecordingTimeLapse, {})
-03-22 20:12:44 I/ConsoleReporter: [956/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaRecorderTest#testSurfaceRecordingTimeLapse pass
-03-22 20:12:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RoutingTest#test_audioRecord_RoutingListener)
-03-22 20:12:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RoutingTest#test_audioRecord_RoutingListener, {})
-03-22 20:12:44 I/ConsoleReporter: [957/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RoutingTest#test_audioRecord_RoutingListener pass
-03-22 20:12:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RoutingTest#test_audioRecord_audioRouting_RoutingListener)
-03-22 20:12:44 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RoutingTest#test_audioRecord_audioRouting_RoutingListener, {})
-03-22 20:12:44 I/ConsoleReporter: [958/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RoutingTest#test_audioRecord_audioRouting_RoutingListener pass
-03-22 20:12:44 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RoutingTest#test_audioRecord_getRoutedDevice)
-03-22 20:12:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RoutingTest#test_audioRecord_getRoutedDevice, {})
-03-22 20:12:45 I/ConsoleReporter: [959/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RoutingTest#test_audioRecord_getRoutedDevice pass
-03-22 20:12:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RoutingTest#test_audioRecord_preferredDevice)
-03-22 20:12:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RoutingTest#test_audioRecord_preferredDevice, {})
-03-22 20:12:45 I/ConsoleReporter: [960/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RoutingTest#test_audioRecord_preferredDevice pass
-03-22 20:12:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RoutingTest#test_audioTrack_RoutingListener)
-03-22 20:12:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RoutingTest#test_audioTrack_RoutingListener, {})
-03-22 20:12:45 I/ConsoleReporter: [961/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RoutingTest#test_audioTrack_RoutingListener pass
-03-22 20:12:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RoutingTest#test_audioTrack_audioRouting_RoutingListener)
-03-22 20:12:45 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RoutingTest#test_audioTrack_audioRouting_RoutingListener, {})
-03-22 20:12:45 I/ConsoleReporter: [962/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RoutingTest#test_audioTrack_audioRouting_RoutingListener pass
-03-22 20:12:45 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RoutingTest#test_audioTrack_getRoutedDevice)
-03-22 20:12:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RoutingTest#test_audioTrack_getRoutedDevice, {})
-03-22 20:12:46 I/ConsoleReporter: [963/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RoutingTest#test_audioTrack_getRoutedDevice pass
-03-22 20:12:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.RoutingTest#test_audioTrack_preferredDevice)
-03-22 20:12:46 D/ModuleListener: ModuleListener.testEnded(android.media.cts.RoutingTest#test_audioTrack_preferredDevice, {})
-03-22 20:12:46 I/ConsoleReporter: [964/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.RoutingTest#test_audioTrack_preferredDevice pass
-03-22 20:12:46 D/ModuleListener: ModuleListener.testStarted(android.media.cts.MediaScannerNotificationTest#testMediaScannerNotification)
-03-22 20:12:47 D/ModuleListener: ModuleListener.testEnded(android.media.cts.MediaScannerNotificationTest#testMediaScannerNotification, {})
-03-22 20:12:47 I/ConsoleReporter: [965/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.MediaScannerNotificationTest#testMediaScannerNotification pass
-03-22 20:12:47 D/ModuleListener: ModuleListener.testStarted(android.media.cts.FaceDetectorTest#testFindFaces)
-03-22 20:12:52 D/ModuleListener: ModuleListener.testEnded(android.media.cts.FaceDetectorTest#testFindFaces, {})
-03-22 20:12:52 I/ConsoleReporter: [966/966 x86 CtsMediaTestCases chromeos2-row8-rack1-host19:22] android.media.cts.FaceDetectorTest#testFindFaces pass
-03-22 20:12:53 D/ModuleListener: ModuleListener.testRunEnded(7000, {})
-03-22 20:12:53 I/ConsoleReporter: [chromeos2-row8-rack1-host19:22] x86 CtsMediaTestCases completed in 7s. 960 passed, 6 failed, 0 not executed
-03-22 20:12:53 D/InstrumentationFileTest: Removed test file from device: /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest587525220598727032.txt
-03-22 20:12:53 D/ModuleDef: Cleaner: DynamicConfigPusher
-03-22 20:12:53 D/ModuleDef: Cleaner: ApkInstaller
-03-22 20:12:53 D/TestDevice: Uninstalling android.media.cts
-03-22 20:12:53 W/CompatibilityTest: Inaccurate runtime hint for x86 CtsMediaTestCases, expected 3h 45m 0s was 2h 47m 30s
-03-22 20:12:53 I/CompatibilityTest: Running system status checker after module execution: CtsMediaTestCases
-03-22 20:12:54 I/MonitoringUtils: Connectivity: passed check.
-03-22 20:12:54 D/RunUtil: run interrupt allowed: false
-03-22 20:12:58 I/ResultReporter: Invocation finished in 2h 48m 13s. PASSED: 1386, FAILED: 9, NOT EXECUTED: 966, MODULES: 0 of 1
-03-22 20:13:00 I/ResultReporter: Test Result: /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/results/2017.03.22_17.24.44/test_result_failures.html
-03-22 20:13:00 I/ResultReporter: Full Result: /tmp/autotest-tradefed-install_5GbnAi/8d01e7b907e6e63a12b197e2ce3529c0/android-cts-7.1_r3-linux_x86-x86/android-cts/results/2017.03.22_17.24.44.zip
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/CtsPrintTestCases.txt b/server/cros/tradefed/tradefed_utils_unittest_data/CtsPrintTestCases.txt
deleted file mode 100644
index 41b33f7..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/CtsPrintTestCases.txt
+++ /dev/null
@@ -1,303 +0,0 @@
-05-19 12:55:09 I/ModuleRepo: chromeos4-row8-rack6-host1:22 running 1 modules, expected to complete in 33m 0s
-05-19 12:55:09 I/CompatibilityTest: Starting 1 module on chromeos4-row8-rack6-host1:22
-05-19 12:55:09 D/ConfigurationFactory: Loading configuration 'system-status-checkers'
-05-19 12:55:09 I/CompatibilityTest: Running system status checker before module execution: CtsPrintTestCases
-05-19 12:55:09 D/ModuleDef: Preparer: ApkInstaller
-05-19 12:55:09 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_5UI1sQ/1a5d3a860c6414257d85e51e843e2815/android-cts-7.1_r5-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsPrintTestCases.apk ...
-05-19 12:55:09 D/CtsPrintTestCases.apk: Uploading CtsPrintTestCases.apk onto device 'chromeos4-row8-rack6-host1:22'
-05-19 12:55:09 D/Device: Uploading file onto device 'chromeos4-row8-rack6-host1:22'
-05-19 12:55:12 D/RunUtil: Running command with timeout: 60000ms
-05-19 12:55:12 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_5UI1sQ/1a5d3a860c6414257d85e51e843e2815/android-cts-7.1_r5-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsPrintTestCases.apk]
-05-19 12:55:13 D/ModuleDef: Test: AndroidJUnitTest
-05-19 12:55:13 D/InstrumentationTest: Collecting test info for android.print.cts on device chromeos4-row8-rack6-host1:22
-05-19 12:55:13 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log true -e timeout_msec 300000 android.print.cts/android.support.test.runner.AndroidJUnitRunner on google-google_chromebook_pixel__2015_-chromeos4-row8-rack6-host1:22
-05-19 12:55:14 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log false -e timeout_msec 300000 android.print.cts/android.support.test.runner.AndroidJUnitRunner on google-google_chromebook_pixel__2015_-chromeos4-row8-rack6-host1:22
-05-19 12:55:15 D/ModuleListener: ModuleListener.testRunStarted(android.print.cts, 71)
-05-19 12:55:15 I/ConsoleReporter: [chromeos4-row8-rack6-host1:22] Starting x86 CtsPrintTestCases with 71 tests
-05-19 12:55:15 D/ModuleListener: ModuleListener.testStarted(android.print.cts.ClassParametersTest#testIllegalPrintDocumentInfo)
-05-19 12:55:15 D/ModuleListener: ModuleListener.testEnded(android.print.cts.ClassParametersTest#testIllegalPrintDocumentInfo, {})
-05-19 12:55:15 I/ConsoleReporter: [1/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.ClassParametersTest#testIllegalPrintDocumentInfo pass
-05-19 12:55:15 D/ModuleListener: ModuleListener.testStarted(android.print.cts.ClassParametersTest#testIllegalPrintAttributes)
-05-19 12:55:16 D/ModuleListener: ModuleListener.testEnded(android.print.cts.ClassParametersTest#testIllegalPrintAttributes, {})
-05-19 12:55:16 I/ConsoleReporter: [2/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.ClassParametersTest#testIllegalPrintAttributes pass
-05-19 12:55:16 D/ModuleListener: ModuleListener.testStarted(android.print.cts.CustomPrintOptionsTest#testChangeToAllPages)
-05-19 12:55:39 D/ModuleListener: ModuleListener.testEnded(android.print.cts.CustomPrintOptionsTest#testChangeToAllPages, {})
-05-19 12:55:39 I/ConsoleReporter: [3/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.CustomPrintOptionsTest#testChangeToAllPages pass
-05-19 12:55:39 D/ModuleListener: ModuleListener.testStarted(android.print.cts.CustomPrintOptionsTest#testChangeToAttributes)
-05-19 12:56:00 D/ModuleListener: ModuleListener.testEnded(android.print.cts.CustomPrintOptionsTest#testChangeToAttributes, {})
-05-19 12:56:00 I/ConsoleReporter: [4/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.CustomPrintOptionsTest#testChangeToAttributes pass
-05-19 12:56:00 D/ModuleListener: ModuleListener.testStarted(android.print.cts.CustomPrintOptionsTest#testChangeToAttributesNoCopy)
-05-19 12:56:17 D/ModuleListener: ModuleListener.testEnded(android.print.cts.CustomPrintOptionsTest#testChangeToAttributesNoCopy, {})
-05-19 12:56:17 I/ConsoleReporter: [5/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.CustomPrintOptionsTest#testChangeToAttributesNoCopy pass
-05-19 12:56:17 D/ModuleListener: ModuleListener.testStarted(android.print.cts.CustomPrintOptionsTest#testChangeToChangeEveryThing)
-05-19 12:56:37 D/ModuleListener: ModuleListener.testEnded(android.print.cts.CustomPrintOptionsTest#testChangeToChangeEveryThing, {})
-05-19 12:56:37 I/ConsoleReporter: [6/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.CustomPrintOptionsTest#testChangeToChangeEveryThing pass
-05-19 12:56:37 D/ModuleListener: ModuleListener.testStarted(android.print.cts.CustomPrintOptionsTest#testChangeToDefault)
-05-19 12:56:57 D/ModuleListener: ModuleListener.testEnded(android.print.cts.CustomPrintOptionsTest#testChangeToDefault, {})
-05-19 12:56:57 I/ConsoleReporter: [7/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.CustomPrintOptionsTest#testChangeToDefault pass
-05-19 12:56:57 D/ModuleListener: ModuleListener.testStarted(android.print.cts.CustomPrintOptionsTest#testChangeToDefaultNoCopy)
-05-19 12:57:18 D/ModuleListener: ModuleListener.testEnded(android.print.cts.CustomPrintOptionsTest#testChangeToDefaultNoCopy, {})
-05-19 12:57:18 I/ConsoleReporter: [8/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.CustomPrintOptionsTest#testChangeToDefaultNoCopy pass
-05-19 12:57:18 D/ModuleListener: ModuleListener.testStarted(android.print.cts.CustomPrintOptionsTest#testChangeToNonAttributes)
-05-19 12:57:35 D/ModuleListener: ModuleListener.testEnded(android.print.cts.CustomPrintOptionsTest#testChangeToNonAttributes, {})
-05-19 12:57:35 I/ConsoleReporter: [9/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.CustomPrintOptionsTest#testChangeToNonAttributes pass
-05-19 12:57:35 D/ModuleListener: ModuleListener.testStarted(android.print.cts.CustomPrintOptionsTest#testChangeToNonAttributesNoCopy)
-05-19 12:57:55 D/ModuleListener: ModuleListener.testEnded(android.print.cts.CustomPrintOptionsTest#testChangeToNonAttributesNoCopy, {})
-05-19 12:57:55 I/ConsoleReporter: [10/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.CustomPrintOptionsTest#testChangeToNonAttributesNoCopy pass
-05-19 12:57:55 D/ModuleListener: ModuleListener.testStarted(android.print.cts.CustomPrintOptionsTest#testChangeToNothing)
-05-19 12:58:15 D/ModuleListener: ModuleListener.testEnded(android.print.cts.CustomPrintOptionsTest#testChangeToNothing, {})
-05-19 12:58:15 I/ConsoleReporter: [11/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.CustomPrintOptionsTest#testChangeToNothing pass
-05-19 12:58:15 D/ModuleListener: ModuleListener.testStarted(android.print.cts.CustomPrintOptionsTest#testChangeToNothingNoCopy)
-05-19 12:58:35 D/ModuleListener: ModuleListener.testEnded(android.print.cts.CustomPrintOptionsTest#testChangeToNothingNoCopy, {})
-05-19 12:58:35 I/ConsoleReporter: [12/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.CustomPrintOptionsTest#testChangeToNothingNoCopy pass
-05-19 12:58:35 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PageRangeAdjustmentTest#testAllPagesWantedAndAllPagesWritten)
-05-19 12:58:43 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PageRangeAdjustmentTest#testAllPagesWantedAndAllPagesWritten, {})
-05-19 12:58:43 I/ConsoleReporter: [13/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PageRangeAdjustmentTest#testAllPagesWantedAndAllPagesWritten pass
-05-19 12:58:43 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PageRangeAdjustmentTest#testSomePagesWantedAndAllPagesWritten)
-05-19 12:58:58 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PageRangeAdjustmentTest#testSomePagesWantedAndAllPagesWritten, {})
-05-19 12:58:58 I/ConsoleReporter: [14/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PageRangeAdjustmentTest#testSomePagesWantedAndAllPagesWritten pass
-05-19 12:58:58 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PageRangeAdjustmentTest#testSomePagesWantedAndNotWritten)
-05-19 12:59:05 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PageRangeAdjustmentTest#testSomePagesWantedAndNotWritten, {})
-05-19 12:59:05 I/ConsoleReporter: [15/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PageRangeAdjustmentTest#testSomePagesWantedAndNotWritten pass
-05-19 12:59:05 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PageRangeAdjustmentTest#testSomePagesWantedAndSomeMorePagesWritten)
-05-19 12:59:17 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PageRangeAdjustmentTest#testSomePagesWantedAndSomeMorePagesWritten, {})
-05-19 12:59:17 I/ConsoleReporter: [16/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PageRangeAdjustmentTest#testSomePagesWantedAndSomeMorePagesWritten pass
-05-19 12:59:17 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PageRangeAdjustmentTest#testWantedPagesAlreadyWrittenForPreview)
-05-19 12:59:32 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PageRangeAdjustmentTest#testWantedPagesAlreadyWrittenForPreview, {})
-05-19 12:59:32 I/ConsoleReporter: [17/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PageRangeAdjustmentTest#testWantedPagesAlreadyWrittenForPreview pass
-05-19 12:59:32 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testDefaultMatchesSuggested0)
-05-19 12:59:45 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testDefaultMatchesSuggested0, {})
-05-19 12:59:45 I/ConsoleReporter: [18/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testDefaultMatchesSuggested0 pass
-05-19 12:59:45 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testDefaultMatchesSuggested1)
-05-19 13:00:00 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testDefaultMatchesSuggested1, {})
-05-19 13:00:00 I/ConsoleReporter: [19/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testDefaultMatchesSuggested1 pass
-05-19 13:00:00 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testDefaultMatchesSuggested2)
-05-19 13:00:13 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testDefaultMatchesSuggested2, {})
-05-19 13:00:13 I/ConsoleReporter: [20/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testDefaultMatchesSuggested2 pass
-05-19 13:00:13 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testDuplexModeSuggestion0)
-05-19 13:00:29 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testDuplexModeSuggestion0, {})
-05-19 13:00:29 I/ConsoleReporter: [21/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testDuplexModeSuggestion0 pass
-05-19 13:00:29 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testDuplexModeSuggestion1)
-05-19 13:00:44 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testDuplexModeSuggestion1, {})
-05-19 13:00:44 I/ConsoleReporter: [22/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testDuplexModeSuggestion1 pass
-05-19 13:00:44 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0)
-05-19 13:06:44 I/InstrumentationResultParser: test run failed: 'Instrumentation run failed due to 'Process crashed.''
-05-19 13:06:44 D/ModuleListener: ModuleListener.testFailed(android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0, Test failed to run to completion. Reason: 'Instrumentation run failed due to 'Process crashed.''. Check device logcat for details)
-05-19 13:06:44 I/ConsoleReporter: [23/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0 fail: Test failed to run to completion. Reason: 'Instrumentation run failed due to 'Process crashed.''. Check device logcat for details
-05-19 13:06:44 I/FailureListener: FailureListener.testFailed android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0 false true false
-05-19 13:06:46 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_5UI1sQ/1a5d3a860c6414257d85e51e843e2815/android-cts-7.1_r5-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.19_12.54.33 with prefix "android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_" suffix ".zip"
-05-19 13:06:46 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_5UI1sQ/1a5d3a860c6414257d85e51e843e2815/android-cts-7.1_r5-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.19_12.54.33/android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_1446935881019431378.zip
-05-19 13:06:46 I/ResultReporter: Saved logs for android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat in /tmp/autotest-tradefed-install_5UI1sQ/1a5d3a860c6414257d85e51e843e2815/android-cts-7.1_r5-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.19_12.54.33/android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_1446935881019431378.zip
-05-19 13:06:46 D/FileUtil: Creating temp file at /tmp/3943087/cts/inv_8667528915868403746 with prefix "android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_" suffix ".zip"
-05-19 13:06:46 D/RunUtil: Running command with timeout: 10000ms
-05-19 13:06:46 D/RunUtil: Running [chmod]
-05-19 13:06:46 D/RunUtil: [chmod] command failed. return code 1
-05-19 13:06:46 D/FileUtil: Attempting to chmod /tmp/3943087/cts/inv_8667528915868403746/android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_1495588237908458867.zip to ug+rwx
-05-19 13:06:46 D/RunUtil: Running command with timeout: 10000ms
-05-19 13:06:46 D/RunUtil: Running [chmod, ug+rwx, /tmp/3943087/cts/inv_8667528915868403746/android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_1495588237908458867.zip]
-05-19 13:06:46 I/FileSystemLogSaver: Saved log file /tmp/3943087/cts/inv_8667528915868403746/android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_1495588237908458867.zip
-05-19 13:06:46 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0, {})
-05-19 13:06:46 D/ModuleListener: ModuleListener.testRunFailed(Instrumentation run failed due to 'Process crashed.')
-05-19 13:06:46 I/ConsoleReporter: [chromeos4-row8-rack6-host1:22] Instrumentation run failed due to 'Process crashed.'
-05-19 13:06:46 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-05-19 13:06:46 I/ConsoleReporter: [chromeos4-row8-rack6-host1:22] x86 CtsPrintTestCases failed in 0 ms. 22 passed, 1 failed, 48 not executed
-05-19 13:16:50 W/RemoteAndroidTest: ShellCommandUnresponsiveException com.android.ddmlib.ShellCommandUnresponsiveException when running tests android.print.cts on google-google_chromebook_pixel__2015_-chromeos4-row8-rack6-host1:22
-05-19 13:16:50 I/InstrumentationResultParser: test run failed: 'Failed to receive adb shell test output within 600000 ms. Test may have timed out, or adb connection to device became unresponsive'
-05-19 13:16:50 D/ModuleListener: ModuleListener.testFailed(android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0, Test failed to run to completion. Reason: 'Failed to receive adb shell test output within 600000 ms. Test may have timed out, or adb connection to device became unresponsive'. Check device logcat for details)
-05-19 13:16:50 I/ConsoleReporter: [23/71 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0 fail: Test failed to run to completion. Reason: 'Failed to receive adb shell test output within 600000 ms. Test may have timed out, or adb connection to device became unresponsive'. Check device logcat for details
-05-19 13:16:50 I/FailureListener: FailureListener.testFailed android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0 false true false
-05-19 13:16:52 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_5UI1sQ/1a5d3a860c6414257d85e51e843e2815/android-cts-7.1_r5-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.19_12.54.33 with prefix "android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_" suffix ".zip"
-05-19 13:16:52 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_5UI1sQ/1a5d3a860c6414257d85e51e843e2815/android-cts-7.1_r5-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.19_12.54.33/android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_1832501125908690709.zip
-05-19 13:16:52 I/ResultReporter: Saved logs for android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat in /tmp/autotest-tradefed-install_5UI1sQ/1a5d3a860c6414257d85e51e843e2815/android-cts-7.1_r5-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.19_12.54.33/android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_1832501125908690709.zip
-05-19 13:16:52 D/FileUtil: Creating temp file at /tmp/3943087/cts/inv_8667528915868403746 with prefix "android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_" suffix ".zip"
-05-19 13:16:52 D/RunUtil: Running command with timeout: 10000ms
-05-19 13:16:52 D/RunUtil: Running [chmod]
-05-19 13:16:52 D/RunUtil: [chmod] command failed. return code 1
-05-19 13:16:52 D/FileUtil: Attempting to chmod /tmp/3943087/cts/inv_8667528915868403746/android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_2793513150534136328.zip to ug+rwx
-05-19 13:16:52 D/RunUtil: Running command with timeout: 10000ms
-05-19 13:16:52 D/RunUtil: Running [chmod, ug+rwx, /tmp/3943087/cts/inv_8667528915868403746/android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_2793513150534136328.zip]
-05-19 13:16:52 I/FileSystemLogSaver: Saved log file /tmp/3943087/cts/inv_8667528915868403746/android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0-logcat_2793513150534136328.zip
-05-19 13:16:52 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testMediaSizeSuggestion0, {})
-05-19 13:16:52 D/ModuleListener: ModuleListener.testRunFailed(Failed to receive adb shell test output within 600000 ms. Test may have timed out, or adb connection to device became unresponsive)
-05-19 13:16:52 I/ConsoleReporter: [chromeos4-row8-rack6-host1:22] Failed to receive adb shell test output within 600000 ms. Test may have timed out, or adb connection to device became unresponsive
-05-19 13:16:52 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-05-19 13:16:52 I/ConsoleReporter: [chromeos4-row8-rack6-host1:22] x86 CtsPrintTestCases failed in 0 ms. 22 passed, 2 failed, 48 not executed
-05-19 13:16:52 W/AndroidNativeDevice: Device chromeos4-row8-rack6-host1:22 stopped responding when attempting run android.print.cts instrumentation tests
-05-19 13:16:52 I/AndroidNativeDevice: Attempting recovery on chromeos4-row8-rack6-host1:22
-05-19 13:16:52 I/WaitDeviceRecovery: Pausing for 5000 for chromeos4-row8-rack6-host1:22 to recover
-05-19 13:16:57 I/AndroidNativeDeviceStateMonitor: Device chromeos4-row8-rack6-host1:22 is already ONLINE
-05-19 13:16:57 I/AndroidNativeDeviceStateMonitor: Waiting 30000 ms for device chromeos4-row8-rack6-host1:22 shell to be responsive
-05-19 13:16:57 I/AndroidNativeDeviceStateMonitor: Device chromeos4-row8-rack6-host1:22 is already ONLINE
-05-19 13:16:57 I/AndroidNativeDeviceStateMonitor: Waiting 240000 ms for device chromeos4-row8-rack6-host1:22 boot complete
-05-19 13:16:57 I/DeviceStateMonitor: Waiting 239953 ms for device chromeos4-row8-rack6-host1:22 package manager
-05-19 13:16:58 I/AndroidNativeDeviceStateMonitor: Waiting 239273 ms for device chromeos4-row8-rack6-host1:22 external store
-05-19 13:16:58 I/AndroidNativeDeviceStateMonitor: Device chromeos4-row8-rack6-host1:22 is already ONLINE
-05-19 13:16:58 I/AndroidNativeDevice: root is required for encryption
-05-19 13:16:58 I/AndroidNativeDevice: "enable-root" set to false; ignoring 'adb root' request
-05-19 13:16:58 I/TestDevice: Attempting to disable keyguard on chromeos4-row8-rack6-host1:22 using input keyevent 82
-05-19 13:16:59 I/AndroidNativeDevice: Recovery successful for chromeos4-row8-rack6-host1:22
-05-19 13:16:59 I/AndroidNativeDeviceStateMonitor: Device chromeos4-row8-rack6-host1:22 is already ONLINE
-05-19 13:16:59 I/AndroidNativeDeviceStateMonitor: Waiting 5000 ms for device chromeos4-row8-rack6-host1:22 boot complete
-05-19 13:16:59 I/DeviceStateMonitor: Waiting 4940 ms for device chromeos4-row8-rack6-host1:22 package manager
-05-19 13:16:59 I/AndroidNativeDeviceStateMonitor: Waiting 4281 ms for device chromeos4-row8-rack6-host1:22 external store
-05-19 13:17:00 I/InstrumentationTest: Running individual tests using a test file
-05-19 13:17:00 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest8279200021135919156.txt was successfully created
-05-19 13:17:00 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest8279200021135919156.txt was successfully pushed to /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest8279200021135919156.txt on device
-05-19 13:17:00 I/RemoteAndroidTest: Running am instrument -w -r   -e testFile /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest8279200021135919156.txt -e timeout_msec 300000 android.print.cts/android.support.test.runner.AndroidJUnitRunner on google-google_chromebook_pixel__2015_-chromeos4-row8-rack6-host1:22
-05-19 13:17:01 D/ModuleListener: ModuleListener.testRunStarted(android.print.cts, 48)
-05-19 13:17:01 I/ConsoleReporter: [chromeos4-row8-rack6-host1:22] Continuing x86 CtsPrintTestCases with 48 tests
-05-19 13:17:01 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintJobTest#testAdvancedOption)
-05-19 13:17:14 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintJobTest#testAdvancedOption, {})
-05-19 13:17:14 I/ConsoleReporter: [1/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintJobTest#testAdvancedOption pass
-05-19 13:17:14 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintJobTest#testBlockWithReason)
-05-19 13:17:28 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintJobTest#testBlockWithReason, {})
-05-19 13:17:28 I/ConsoleReporter: [2/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintJobTest#testBlockWithReason pass
-05-19 13:17:29 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintJobTest#testFailWithReason)
-05-19 13:17:40 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintJobTest#testFailWithReason, {})
-05-19 13:17:40 I/ConsoleReporter: [3/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintJobTest#testFailWithReason pass
-05-19 13:17:40 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintJobTest#testOther)
-05-19 13:17:54 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintJobTest#testOther, {})
-05-19 13:17:54 I/ConsoleReporter: [4/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintJobTest#testOther pass
-05-19 13:17:54 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintJobTest#testSetStatus)
-05-19 13:18:09 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintJobTest#testSetStatus, {})
-05-19 13:18:09 I/ConsoleReporter: [5/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintJobTest#testSetStatus pass
-05-19 13:18:09 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintJobTest#testStateTransitions)
-05-19 13:19:28 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintJobTest#testStateTransitions, {})
-05-19 13:19:28 I/ConsoleReporter: [6/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintJobTest#testStateTransitions pass
-05-19 13:19:28 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintJobTest#testTag)
-05-19 13:19:42 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintJobTest#testTag, {})
-05-19 13:19:42 I/ConsoleReporter: [7/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintJobTest#testTag pass
-05-19 13:19:42 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrinterDiscoverySessionLifecycleTest#testCancelPrintServicesAlertDialog)
-05-19 13:20:00 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrinterDiscoverySessionLifecycleTest#testCancelPrintServicesAlertDialog, {})
-05-19 13:20:00 I/ConsoleReporter: [8/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrinterDiscoverySessionLifecycleTest#testCancelPrintServicesAlertDialog pass
-05-19 13:20:00 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrinterDiscoverySessionLifecycleTest#testNormalLifecycle)
-05-19 13:20:14 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrinterDiscoverySessionLifecycleTest#testNormalLifecycle, {})
-05-19 13:20:14 I/ConsoleReporter: [9/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrinterDiscoverySessionLifecycleTest#testNormalLifecycle pass
-05-19 13:20:14 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrinterDiscoverySessionLifecycleTest#testStartPrinterDiscoveryWithHistoricalPrinters)
-05-19 13:20:31 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrinterDiscoverySessionLifecycleTest#testStartPrinterDiscoveryWithHistoricalPrinters, {})
-05-19 13:20:31 I/ConsoleReporter: [10/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrinterDiscoverySessionLifecycleTest#testStartPrinterDiscoveryWithHistoricalPrinters pass
-05-19 13:20:31 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrinterCapabilitiesTest#testIllegalPrinterCapabilityInfos)
-05-19 13:20:37 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrinterCapabilitiesTest#testIllegalPrinterCapabilityInfos, {})
-05-19 13:20:37 I/ConsoleReporter: [11/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrinterCapabilitiesTest#testIllegalPrinterCapabilityInfos pass
-05-19 13:20:37 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrinterCapabilitiesTest#testInvalidDefaultColor)
-05-19 13:20:47 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrinterCapabilitiesTest#testInvalidDefaultColor, {})
-05-19 13:20:47 I/ConsoleReporter: [12/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrinterCapabilitiesTest#testInvalidDefaultColor pass
-05-19 13:20:47 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrinterCapabilitiesTest#testInvalidDefaultDuplexMode)
-05-19 13:20:58 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrinterCapabilitiesTest#testInvalidDefaultDuplexMode, {})
-05-19 13:20:58 I/ConsoleReporter: [13/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrinterCapabilitiesTest#testInvalidDefaultDuplexMode pass
-05-19 13:20:58 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrinterCapabilitiesTest#testPrinterCapabilityChange)
-05-19 13:22:55 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrinterCapabilitiesTest#testPrinterCapabilityChange, {})
-05-19 13:22:55 I/ConsoleReporter: [14/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrinterCapabilitiesTest#testPrinterCapabilityChange pass
-05-19 13:22:55 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrinterCapabilitiesTest#testValidPrinterCapabilityInfos)
-05-19 13:23:02 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrinterCapabilitiesTest#testValidPrinterCapabilityInfos, {})
-05-19 13:23:02 I/ConsoleReporter: [15/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrinterCapabilitiesTest#testValidPrinterCapabilityInfos pass
-05-19 13:23:02 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintServicesTest#testProgress)
-05-19 13:23:14 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintServicesTest#testProgress, {})
-05-19 13:23:14 I/ConsoleReporter: [16/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintServicesTest#testProgress pass
-05-19 13:23:14 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintServicesTest#testUpdateIcon)
-05-19 13:23:22 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintServicesTest#testUpdateIcon, {})
-05-19 13:23:22 I/ConsoleReporter: [17/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintServicesTest#testUpdateIcon pass
-05-19 13:23:22 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testCancelLongRunningLayout)
-05-19 13:23:29 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testCancelLongRunningLayout, {})
-05-19 13:23:29 I/ConsoleReporter: [18/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testCancelLongRunningLayout pass
-05-19 13:23:29 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testCancelLongRunningWrite)
-05-19 13:23:36 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testCancelLongRunningWrite, {})
-05-19 13:23:36 I/ConsoleReporter: [19/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testCancelLongRunningWrite pass
-05-19 13:23:36 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoContentTypeNonDefined)
-05-19 13:23:51 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoContentTypeNonDefined, {})
-05-19 13:23:51 I/ConsoleReporter: [20/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoContentTypeNonDefined pass
-05-19 13:23:51 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoContentTypePhoto)
-05-19 13:24:05 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoContentTypePhoto, {})
-05-19 13:24:05 I/ConsoleReporter: [21/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoContentTypePhoto pass
-05-19 13:24:05 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoContentTypeUnknown)
-05-19 13:24:19 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoContentTypeUnknown, {})
-05-19 13:24:19 I/ConsoleReporter: [22/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoContentTypeUnknown pass
-05-19 13:24:19 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoNothingSet)
-05-19 13:24:30 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoNothingSet, {})
-05-19 13:24:30 I/ConsoleReporter: [23/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoNothingSet pass
-05-19 13:24:30 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoOnePageCount)
-05-19 13:24:45 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoOnePageCount, {})
-05-19 13:24:45 I/ConsoleReporter: [24/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoOnePageCount pass
-05-19 13:24:45 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoThreePageCount)
-05-19 13:24:57 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoThreePageCount, {})
-05-19 13:24:57 I/ConsoleReporter: [25/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoThreePageCount pass
-05-19 13:24:57 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoUnknownPageCount)
-05-19 13:25:08 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoUnknownPageCount, {})
-05-19 13:25:08 I/ConsoleReporter: [26/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoUnknownPageCount pass
-05-19 13:25:08 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoZeroPageCount)
-05-19 13:25:23 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoZeroPageCount, {})
-05-19 13:25:23 I/ConsoleReporter: [27/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testDocumentInfoZeroPageCount pass
-05-19 13:25:23 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testFailedLayout)
-05-19 13:25:30 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testFailedLayout, {})
-05-19 13:25:30 I/ConsoleReporter: [28/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testFailedLayout pass
-05-19 13:25:30 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testFailedWrite)
-05-19 13:25:38 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testFailedWrite, {})
-05-19 13:25:38 I/ConsoleReporter: [29/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testFailedWrite pass
-05-19 13:25:38 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testLayoutCallbackNotCalled)
-05-19 13:25:46 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testLayoutCallbackNotCalled, {})
-05-19 13:25:46 I/ConsoleReporter: [30/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testLayoutCallbackNotCalled pass
-05-19 13:25:46 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testNewPrinterSupportsSelectedPrintOptions)
-05-19 13:25:59 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testNewPrinterSupportsSelectedPrintOptions, {})
-05-19 13:25:59 I/ConsoleReporter: [31/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testNewPrinterSupportsSelectedPrintOptions pass
-05-19 13:25:59 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testNoPrintOptionsOrPrinterChange)
-05-19 13:26:13 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testNoPrintOptionsOrPrinterChange, {})
-05-19 13:26:13 I/ConsoleReporter: [32/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testNoPrintOptionsOrPrinterChange pass
-05-19 13:26:13 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testNoPrintOptionsOrPrinterChangeCanceled)
-05-19 13:26:20 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testNoPrintOptionsOrPrinterChangeCanceled, {})
-05-19 13:26:20 I/ConsoleReporter: [33/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testNoPrintOptionsOrPrinterChangeCanceled pass
-05-19 13:26:20 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testNotEnoughPages)
-05-19 13:26:32 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testNotEnoughPages, {})
-05-19 13:26:32 I/ConsoleReporter: [34/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testNotEnoughPages pass
-05-19 13:26:32 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testNothingChangesAllPagesWrittenFirstTime)
-05-19 13:26:45 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testNothingChangesAllPagesWrittenFirstTime, {})
-05-19 13:26:45 I/ConsoleReporter: [35/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testNothingChangesAllPagesWrittenFirstTime pass
-05-19 13:26:45 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testPrintOptionsChangeAndNoPrinterChange)
-05-19 13:27:05 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testPrintOptionsChangeAndNoPrinterChange, {})
-05-19 13:27:05 I/ConsoleReporter: [36/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testPrintOptionsChangeAndNoPrinterChange pass
-05-19 13:27:05 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testPrintOptionsChangeAndNoPrinterChangeAndContentChange)
-05-19 13:27:15 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testPrintOptionsChangeAndNoPrinterChangeAndContentChange, {})
-05-19 13:27:15 I/ConsoleReporter: [37/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testPrintOptionsChangeAndNoPrinterChangeAndContentChange pass
-05-19 13:27:15 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testPrintOptionsChangeAndPrinterChange)
-05-19 13:27:31 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testPrintOptionsChangeAndPrinterChange, {})
-05-19 13:27:31 I/ConsoleReporter: [38/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testPrintOptionsChangeAndPrinterChange pass
-05-19 13:27:31 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testRequestedPagesNotWritten)
-05-19 13:27:38 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testRequestedPagesNotWritten, {})
-05-19 13:27:38 I/ConsoleReporter: [39/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testRequestedPagesNotWritten pass
-05-19 13:27:38 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintDocumentAdapterContractTest#testWriteCallbackNotCalled)
-05-19 13:27:46 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintDocumentAdapterContractTest#testWriteCallbackNotCalled, {})
-05-19 13:27:46 I/ConsoleReporter: [40/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintDocumentAdapterContractTest#testWriteCallbackNotCalled pass
-05-19 13:27:46 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testMediaSizeSuggestion1)
-05-19 13:27:59 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testMediaSizeSuggestion1, {})
-05-19 13:27:59 I/ConsoleReporter: [41/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testMediaSizeSuggestion1 pass
-05-19 13:27:59 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testNegativeMargins)
-05-19 13:28:13 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testNegativeMargins, {})
-05-19 13:28:13 I/ConsoleReporter: [42/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testNegativeMargins pass
-05-19 13:28:13 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testNoSuggestion0)
-05-19 13:28:27 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testNoSuggestion0, {})
-05-19 13:28:27 I/ConsoleReporter: [43/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testNoSuggestion0 pass
-05-19 13:28:27 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testNoSuggestion1)
-05-19 13:28:43 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testNoSuggestion1, {})
-05-19 13:28:43 I/ConsoleReporter: [44/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testNoSuggestion1 pass
-05-19 13:28:43 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testNoSuggestion2)
-05-19 13:28:56 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testNoSuggestion2, {})
-05-19 13:28:56 I/ConsoleReporter: [45/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testNoSuggestion2 pass
-05-19 13:28:56 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testSuggestedDifferentFromDefault)
-05-19 13:29:12 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testSuggestedDifferentFromDefault, {})
-05-19 13:29:12 I/ConsoleReporter: [46/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testSuggestedDifferentFromDefault pass
-05-19 13:29:13 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrintAttributesTest#testUnsupportedSuggested)
-05-19 13:29:29 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrintAttributesTest#testUnsupportedSuggested, {})
-05-19 13:29:29 I/ConsoleReporter: [47/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrintAttributesTest#testUnsupportedSuggested pass
-05-19 13:29:29 D/ModuleListener: ModuleListener.testStarted(android.print.cts.PrinterInfoTest#testPrinterInfos)
-05-19 13:29:36 D/ModuleListener: ModuleListener.testEnded(android.print.cts.PrinterInfoTest#testPrinterInfos, {})
-05-19 13:29:36 I/ConsoleReporter: [48/48 x86 CtsPrintTestCases chromeos4-row8-rack6-host1:22] android.print.cts.PrinterInfoTest#testPrinterInfos pass
-05-19 13:29:36 D/ModuleListener: ModuleListener.testRunEnded(755592, {})
-05-19 13:29:36 I/ConsoleReporter: [chromeos4-row8-rack6-host1:22] x86 CtsPrintTestCases completed in 12m 35s. 48 passed, 0 failed, 0 not executed
-05-19 13:29:36 D/InstrumentationFileTest: Removed test file from device: /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest8279200021135919156.txt
-05-19 13:29:36 D/ModuleDef: Cleaner: ApkInstaller
-05-19 13:29:36 D/TestDevice: Uninstalling android.print.cts
-05-19 13:29:37 I/CompatibilityTest: Running system status checker after module execution: CtsPrintTestCases
-05-19 13:29:38 I/MonitoringUtils: Connectivity: passed check.
-05-19 13:29:39 D/RunUtil: run interrupt allowed: false
-05-19 13:29:39 I/ResultReporter: Invocation finished in 35m 5s. PASSED: 70, FAILED: 1, MODULES: 0 of 1
-05-19 13:29:40 I/ResultReporter: Test Result: /tmp/autotest-tradefed-install_5UI1sQ/1a5d3a860c6414257d85e51e843e2815/android-cts-7.1_r5-linux_x86-x86/android-cts/results/2017.05.19_12.54.33/test_result_failures.html
-05-19 13:29:40 I/ResultReporter: Full Result: /tmp/autotest-tradefed-install_5UI1sQ/1a5d3a860c6414257d85e51e843e2815/android-cts-7.1_r5-linux_x86-x86/android-cts/results/2017.05.19_12.54.33.zip
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/CtsSecurityTestCases.txt b/server/cros/tradefed/tradefed_utils_unittest_data/CtsSecurityTestCases.txt
deleted file mode 100644
index 98a37c1..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/CtsSecurityTestCases.txt
+++ /dev/null
@@ -1,151 +0,0 @@
-03-13 22:29:05 I/ModuleRepo: chromeos2-row4-rack7-host11:22 running 1 modules, expected to complete in 3m 15s
-03-13 22:29:05 I/CompatibilityTest: Starting 1 module on chromeos2-row4-rack7-host11:22
-03-13 22:29:05 D/ConfigurationFactory: Loading configuration 'system-status-checkers'
-03-13 22:29:05 I/CompatibilityTest: Running system status checker before module execution: CtsSecurityTestCases
-03-13 22:29:05 D/ModuleDef: Preparer: ApkInstaller
-03-13 22:29:05 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_NSzXkp/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/testcases/CtsSecurityTestCases.apk ...
-03-13 22:29:05 D/CtsSecurityTestCases.apk: Uploading CtsSecurityTestCases.apk onto device 'chromeos2-row4-rack7-host11:22'
-03-13 22:29:05 D/Device: Uploading file onto device 'chromeos2-row4-rack7-host11:22'
-03-13 22:29:14 D/RunUtil: Running command with timeout: 60000ms
-03-13 22:29:14 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_NSzXkp/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/testcases/CtsSecurityTestCases.apk]
-03-13 22:29:15 D/ModuleDef: Test: AndroidJUnitTest
-03-13 22:29:15 W/InstrumentationTest: shell-timeout should be larger than test-timeout 900000; NOTE: extending shell-timeout to 990000, please consider fixing this!
-03-13 22:29:15 D/InstrumentationTest: Collecting test info for android.security.cts on device chromeos2-row4-rack7-host11:22
-03-13 22:29:15 I/RemoteAndroidTest: Running am instrument -w -r --abi armeabi-v7a  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log true -e notTestFile /data/local/tmp/ajur/excludes.txt -e timeout_msec 900000 android.security.cts/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack7-host11:22
-03-13 22:29:18 I/RemoteAndroidTest: Running am instrument -w -r --abi armeabi-v7a  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log false -e notTestFile /data/local/tmp/ajur/excludes.txt -e timeout_msec 900000 android.security.cts/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack7-host11:22
-03-13 22:29:19 D/ModuleListener: ModuleListener.testRunStarted(android.security.cts, 110)
-03-13 22:29:19 I/ConsoleReporter: [chromeos2-row4-rack7-host11:22] Starting armeabi-v7a CtsSecurityTestCases with 110 tests
-03-13 22:29:19 D/ModuleListener: ModuleListener.testStarted(android.security.cts.ARTBootASLRTest#testARTASLR)
-03-13 22:29:19 D/ModuleListener: ModuleListener.testEnded(android.security.cts.ARTBootASLRTest#testARTASLR, {})
-03-13 22:29:19 I/ConsoleReporter: [1/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.ARTBootASLRTest#testARTASLR pass
-03-13 22:29:19 D/ModuleListener: ModuleListener.testStarted(android.security.cts.ActivityManagerTest#testActivityManager_injectInputEvents)
-03-13 22:29:19 D/ModuleListener: ModuleListener.testEnded(android.security.cts.ActivityManagerTest#testActivityManager_injectInputEvents, {})
-03-13 22:29:19 I/ConsoleReporter: [2/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.ActivityManagerTest#testActivityManager_injectInputEvents pass
-03-13 22:29:19 D/ModuleListener: ModuleListener.testStarted(android.security.cts.AllocatePixelRefIntOverflowTest#testAllocateJavaPixelRefIntOverflow)
-03-13 22:29:19 D/ModuleListener: ModuleListener.testEnded(android.security.cts.AllocatePixelRefIntOverflowTest#testAllocateJavaPixelRefIntOverflow, {})
-03-13 22:29:19 I/ConsoleReporter: [3/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.AllocatePixelRefIntOverflowTest#testAllocateJavaPixelRefIntOverflow pass
-03-13 22:29:20 D/ModuleListener: ModuleListener.testStarted(android.security.cts.AslrTest#testOneExecutableIsPie)
-03-13 22:29:20 D/ModuleListener: ModuleListener.testEnded(android.security.cts.AslrTest#testOneExecutableIsPie, {})
-03-13 22:29:20 I/ConsoleReporter: [4/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.AslrTest#testOneExecutableIsPie pass
-03-13 22:29:20 D/ModuleListener: ModuleListener.testStarted(android.security.cts.AslrTest#testRandomization)
-03-13 22:29:38 D/ModuleListener: ModuleListener.testEnded(android.security.cts.AslrTest#testRandomization, {})
-03-13 22:29:38 I/ConsoleReporter: [5/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.AslrTest#testRandomization pass
-03-13 22:29:38 D/ModuleListener: ModuleListener.testStarted(android.security.cts.AslrTest#testVaRandomize)
-03-13 22:29:38 D/ModuleListener: ModuleListener.testEnded(android.security.cts.AslrTest#testVaRandomize, {})
-03-13 22:29:38 I/ConsoleReporter: [6/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.AslrTest#testVaRandomize pass
-03-13 22:29:38 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BannedFilesTest#testNoCmdClient)
-03-13 22:29:38 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BannedFilesTest#testNoCmdClient, {})
-03-13 22:29:38 I/ConsoleReporter: [7/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BannedFilesTest#testNoCmdClient pass
-03-13 22:29:38 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BannedFilesTest#testNoEnableRoot)
-03-13 22:29:38 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BannedFilesTest#testNoEnableRoot, {})
-03-13 22:29:38 I/ConsoleReporter: [8/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BannedFilesTest#testNoEnableRoot pass
-03-13 22:29:38 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BannedFilesTest#testNoRootCmdSocket)
-03-13 22:29:39 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BannedFilesTest#testNoRootCmdSocket, {})
-03-13 22:29:39 I/ConsoleReporter: [9/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BannedFilesTest#testNoRootCmdSocket pass
-03-13 22:29:39 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BannedFilesTest#testNoSetuidIp)
-03-13 22:29:39 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BannedFilesTest#testNoSetuidIp, {})
-03-13 22:29:39 I/ConsoleReporter: [10/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BannedFilesTest#testNoSetuidIp pass
-03-13 22:29:39 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BannedFilesTest#testNoSetuidTcpdump)
-03-13 22:29:39 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BannedFilesTest#testNoSetuidTcpdump, {})
-03-13 22:29:39 I/ConsoleReporter: [11/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BannedFilesTest#testNoSetuidTcpdump pass
-03-13 22:29:39 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BannedFilesTest#testNoSu)
-03-13 22:29:39 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BannedFilesTest#testNoSu, {})
-03-13 22:29:39 I/ConsoleReporter: [12/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BannedFilesTest#testNoSu pass
-03-13 22:29:39 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BannedFilesTest#testNoSuInPath)
-03-13 22:29:39 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BannedFilesTest#testNoSuInPath, {})
-03-13 22:29:39 I/ConsoleReporter: [13/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BannedFilesTest#testNoSuInPath pass
-03-13 22:29:39 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BannedFilesTest#testNoSunxiDebug)
-03-13 22:29:39 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BannedFilesTest#testNoSunxiDebug, {})
-03-13 22:29:39 I/ConsoleReporter: [14/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BannedFilesTest#testNoSunxiDebug pass
-03-13 22:29:39 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BannedFilesTest#testNoSyncAgent)
-03-13 22:29:39 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BannedFilesTest#testNoSyncAgent, {})
-03-13 22:29:39 I/ConsoleReporter: [15/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BannedFilesTest#testNoSyncAgent pass
-03-13 22:29:39 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BannedFilesTest#testNoSystemCmdSocket)
-03-13 22:29:39 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BannedFilesTest#testNoSystemCmdSocket, {})
-03-13 22:29:39 I/ConsoleReporter: [16/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BannedFilesTest#testNoSystemCmdSocket pass
-03-13 22:29:39 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BitmapFactoryDecodeStreamTest#testNinePatchHeapOverflow)
-03-13 22:29:39 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BitmapFactoryDecodeStreamTest#testNinePatchHeapOverflow, {})
-03-13 22:29:39 I/ConsoleReporter: [17/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BitmapFactoryDecodeStreamTest#testNinePatchHeapOverflow pass
-03-13 22:29:39 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BrowserTest#testBrowserPrivateDataAccess)
-03-13 22:29:44 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BrowserTest#testBrowserPrivateDataAccess, {})
-03-13 22:29:44 I/ConsoleReporter: [18/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BrowserTest#testBrowserPrivateDataAccess pass
-03-13 22:29:44 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BrowserTest#testTabExhaustion)
-03-13 22:29:44 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BrowserTest#testTabExhaustion, {})
-03-13 22:29:44 I/ConsoleReporter: [19/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BrowserTest#testTabExhaustion pass
-03-13 22:29:44 D/ModuleListener: ModuleListener.testStarted(android.security.cts.BrowserTest#testTabReuse)
-03-13 22:29:44 D/ModuleListener: ModuleListener.testEnded(android.security.cts.BrowserTest#testTabReuse, {})
-03-13 22:29:44 I/ConsoleReporter: [20/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.BrowserTest#testTabReuse pass
-03-13 22:29:44 D/ModuleListener: ModuleListener.testStarted(android.security.cts.CertificateTest#testBlockCertificates)
-03-13 22:29:44 D/ModuleListener: ModuleListener.testEnded(android.security.cts.CertificateTest#testBlockCertificates, {})
-03-13 22:29:44 I/ConsoleReporter: [21/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.CertificateTest#testBlockCertificates pass
-03-13 22:29:44 D/ModuleListener: ModuleListener.testStarted(android.security.cts.CertificateTest#testNoAddedCertificates)
-03-13 22:29:45 D/ModuleListener: ModuleListener.testEnded(android.security.cts.CertificateTest#testNoAddedCertificates, {})
-03-13 22:29:45 I/ConsoleReporter: [22/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.CertificateTest#testNoAddedCertificates pass
-03-13 22:29:45 D/ModuleListener: ModuleListener.testStarted(android.security.cts.CertificateTest#testNoRemovedCertificates)
-03-13 22:29:45 D/ModuleListener: ModuleListener.testEnded(android.security.cts.CertificateTest#testNoRemovedCertificates, {})
-03-13 22:29:45 I/ConsoleReporter: [23/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.CertificateTest#testNoRemovedCertificates pass
-03-13 22:29:45 D/ModuleListener: ModuleListener.testStarted(android.security.cts.CharDeviceTest#testExynosKernelMemoryRead)
-03-13 22:29:45 D/ModuleListener: ModuleListener.testEnded(android.security.cts.CharDeviceTest#testExynosKernelMemoryRead, {})
-03-13 22:29:45 I/ConsoleReporter: [24/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.CharDeviceTest#testExynosKernelMemoryRead pass
-03-13 22:29:45 D/ModuleListener: ModuleListener.testStarted(android.security.cts.CharDeviceTest#testExynosRootingVuln)
-03-13 22:29:45 D/ModuleListener: ModuleListener.testEnded(android.security.cts.CharDeviceTest#testExynosRootingVuln, {})
-03-13 22:29:45 I/ConsoleReporter: [25/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.CharDeviceTest#testExynosRootingVuln pass
-03-13 22:29:45 D/ModuleListener: ModuleListener.testStarted(android.security.cts.ClonedSecureRandomTest#testCheckForDuplicateOutput)
-03-13 22:30:46 D/ModuleListener: ModuleListener.testEnded(android.security.cts.ClonedSecureRandomTest#testCheckForDuplicateOutput, {})
-03-13 22:30:46 I/ConsoleReporter: [26/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.ClonedSecureRandomTest#testCheckForDuplicateOutput pass
-03-13 22:30:46 D/ModuleListener: ModuleListener.testStarted(android.security.cts.ConscryptIntermediateVerificationTest#testIntermediateVerification)
-03-13 22:30:46 D/ModuleListener: ModuleListener.testEnded(android.security.cts.ConscryptIntermediateVerificationTest#testIntermediateVerification, {})
-03-13 22:30:46 I/ConsoleReporter: [27/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.ConscryptIntermediateVerificationTest#testIntermediateVerification pass
-03-13 22:30:46 D/ModuleListener: ModuleListener.testStarted(android.security.cts.DeviceIdleControllerTest#testAddWhiteList)
-03-13 22:31:04 D/BackgroundDeviceAction: Sleep for 5000 before starting logcat for chromeos2-row4-rack7-host11:22.
-03-13 22:31:04 I/InstrumentationResultParser: test run failed: 'Test run failed to complete. Expected 110 tests, received 27'
-03-13 22:31:04 D/ModuleListener: ModuleListener.testFailed(android.security.cts.DeviceIdleControllerTest#testAddWhiteList, Test failed to run to completion. Reason: 'Test run failed to complete. Expected 110 tests, received 27'. Check device logcat for details)
-03-13 22:31:04 I/ConsoleReporter: [28/110 armeabi-v7a CtsSecurityTestCases chromeos2-row4-rack7-host11:22] android.security.cts.DeviceIdleControllerTest#testAddWhiteList fail: Test failed to run to completion. Reason: 'Test run failed to complete. Expected 110 tests, received 27'. Check device logcat for details
-03-13 22:31:04 I/FailureListener: FailureListener.testFailed android.security.cts.DeviceIdleControllerTest#testAddWhiteList false true false
-03-13 22:31:06 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_NSzXkp/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.13_22.28.26 with prefix "android.security.cts.DeviceIdleControllerTest#testAddWhiteList-logcat_" suffix ".zip"
-03-13 22:31:06 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_NSzXkp/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.13_22.28.26/android.security.cts.DeviceIdleControllerTest#testAddWhiteList-logcat_7952032834779047236.zip
-03-13 22:31:06 I/ResultReporter: Saved logs for android.security.cts.DeviceIdleControllerTest#testAddWhiteList-logcat in /tmp/autotest-tradefed-install_NSzXkp/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.13_22.28.26/android.security.cts.DeviceIdleControllerTest#testAddWhiteList-logcat_7952032834779047236.zip
-03-13 22:31:06 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_1639864655957132693 with prefix "android.security.cts.DeviceIdleControllerTest#testAddWhiteList-logcat_" suffix ".zip"
-03-13 22:31:06 D/RunUtil: Running command with timeout: 10000ms
-03-13 22:31:06 D/RunUtil: Running [chmod]
-03-13 22:31:06 D/RunUtil: [chmod] command failed. return code 1
-03-13 22:31:06 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_1639864655957132693/android.security.cts.DeviceIdleControllerTest#testAddWhiteList-logcat_6633338750974835141.zip to ug+rwx
-03-13 22:31:06 D/RunUtil: Running command with timeout: 10000ms
-03-13 22:31:06 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_1639864655957132693/android.security.cts.DeviceIdleControllerTest#testAddWhiteList-logcat_6633338750974835141.zip]
-03-13 22:31:06 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_1639864655957132693/android.security.cts.DeviceIdleControllerTest#testAddWhiteList-logcat_6633338750974835141.zip
-03-13 22:31:06 D/ModuleListener: ModuleListener.testEnded(android.security.cts.DeviceIdleControllerTest#testAddWhiteList, {})
-03-13 22:31:06 D/ModuleListener: ModuleListener.testRunFailed(Test run failed to complete. Expected 110 tests, received 27)
-03-13 22:31:06 I/ConsoleReporter: [chromeos2-row4-rack7-host11:22] Test run failed to complete. Expected 110 tests, received 27
-03-13 22:31:06 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-03-13 22:31:06 I/ConsoleReporter: [chromeos2-row4-rack7-host11:22] armeabi-v7a CtsSecurityTestCases failed in 0 ms. 27 passed, 1 failed, 82 not executed
-03-13 22:31:06 I/AndroidNativeDeviceStateMonitor: Waiting for device chromeos2-row4-rack7-host11:22 to be ONLINE; it is currently NOT_AVAILABLE...
-03-13 22:31:09 D/BackgroundDeviceAction: Waiting for device chromeos2-row4-rack7-host11:22 online before starting.
-03-13 22:31:11 I/AndroidNativeDevice: Attempting recovery on chromeos2-row4-rack7-host11:22
-03-13 22:31:11 I/WaitDeviceRecovery: Pausing for 5000 for chromeos2-row4-rack7-host11:22 to recover
-03-13 22:31:16 I/AndroidNativeDeviceStateMonitor: Waiting for device chromeos2-row4-rack7-host11:22 to be ONLINE; it is currently NOT_AVAILABLE...
-03-13 22:32:16 W/TestInvocation: Invocation did not complete due to device chromeos2-row4-rack7-host11:22 becoming not available. Reason: Could not find device chromeos2-row4-rack7-host11:22
-03-13 22:32:16 W/ResultReporter: Invocation failed: com.android.tradefed.device.DeviceNotAvailableException: Could not find device chromeos2-row4-rack7-host11:22
-03-13 22:32:16 D/RunUtil: run interrupt allowed: false
-03-13 22:32:16 W/AndroidNativeDevice: AdbCommandRejectedException (device 'chromeos2-row4-rack7-host11:22' not found) when attempting shell ls "/sdcard/report-log-files/" on device chromeos2-row4-rack7-host11:22
-03-13 22:32:16 I/AndroidNativeDevice: Skipping recovery on chromeos2-row4-rack7-host11:22
-03-13 22:32:17 W/AndroidNativeDevice: AdbCommandRejectedException (device 'chromeos2-row4-rack7-host11:22' not found) when attempting shell ls "/sdcard/report-log-files/" on device chromeos2-row4-rack7-host11:22
-03-13 22:32:17 I/AndroidNativeDevice: Skipping recovery on chromeos2-row4-rack7-host11:22
-03-13 22:32:18 W/AndroidNativeDevice: AdbCommandRejectedException (device 'chromeos2-row4-rack7-host11:22' not found) when attempting shell ls "/sdcard/report-log-files/" on device chromeos2-row4-rack7-host11:22
-03-13 22:32:18 I/AndroidNativeDevice: Skipping recovery on chromeos2-row4-rack7-host11:22
-03-13 22:32:19 E/CollectorUtil: Caught exception during pull.
-03-13 22:32:19 E/CollectorUtil: Attempted shell ls "/sdcard/report-log-files/" multiple times on device chromeos2-row4-rack7-host11:22 without communication success. Aborting.
-com.android.tradefed.device.DeviceUnresponsiveException: Attempted shell ls "/sdcard/report-log-files/" multiple times on device chromeos2-row4-rack7-host11:22 without communication success. Aborting.
-	at com.android.tradefed.device.AndroidNativeDevice.performDeviceAction(AndroidNativeDevice.java:1550)
-	at com.android.tradefed.device.AndroidNativeDevice.executeShellCommand(AndroidNativeDevice.java:525)
-	at com.android.tradefed.device.AndroidNativeDevice.executeShellCommand(AndroidNativeDevice.java:565)
-	at com.android.tradefed.device.AndroidNativeDevice.doesFileExist(AndroidNativeDevice.java:893)
-	at com.android.compatibility.common.tradefed.util.CollectorUtil.pullFromDevice(CollectorUtil.java:55)
-	at com.android.compatibility.common.tradefed.targetprep.ReportLogCollector.tearDown(ReportLogCollector.java:98)
-	at com.android.tradefed.invoker.TestInvocation.doTeardown(TestInvocation.java:524)
-	at com.android.tradefed.invoker.TestInvocation.performInvocation(TestInvocation.java:451)
-	at com.android.tradefed.invoker.TestInvocation.invoke(TestInvocation.java:166)
-	at com.android.tradefed.command.CommandScheduler$InvocationThread.run(CommandScheduler.java:471)
-03-13 22:32:19 I/ResultReporter: Invocation finished in 3m 53s. PASSED: 27, FAILED: 1, NOT EXECUTED: 82, MODULES: 0 of 1
-03-13 22:32:28 I/ResultReporter: Test Result: /tmp/autotest-tradefed-install_NSzXkp/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/results/2017.03.13_22.28.26/test_result_failures.html
-03-13 22:32:28 I/ResultReporter: Full Result: /tmp/autotest-tradefed-install_NSzXkp/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/results/2017.03.13_22.28.26.zip
-
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/CtsViewTestCases.txt b/server/cros/tradefed/tradefed_utils_unittest_data/CtsViewTestCases.txt
deleted file mode 100644
index cf14f72..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/CtsViewTestCases.txt
+++ /dev/null
@@ -1,1919 +0,0 @@
-03-25 20:09:14 I/ModuleRepo: chromeos2-row4-rack8-host12:22 running 1 modules, expected to complete in 6m 47s
-03-25 20:09:14 I/CompatibilityTest: Starting 1 module on chromeos2-row4-rack8-host12:22
-03-25 20:09:14 D/ConfigurationFactory: Loading configuration 'system-status-checkers'
-03-25 20:09:14 I/CompatibilityTest: Running system status checker before module execution: CtsViewTestCases
-03-25 20:09:14 D/ModuleDef: Preparer: ApkInstaller
-03-25 20:09:14 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/testcases/CtsViewTestCases.apk ...
-03-25 20:09:14 D/CtsViewTestCases.apk: Uploading CtsViewTestCases.apk onto device 'chromeos2-row4-rack8-host12:22'
-03-25 20:09:14 D/Device: Uploading file onto device 'chromeos2-row4-rack8-host12:22'
-03-25 20:09:16 D/RunUtil: Running command with timeout: 60000ms
-03-25 20:09:16 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/testcases/CtsViewTestCases.apk]
-03-25 20:09:17 D/ModuleDef: Test: AndroidJUnitTest
-03-25 20:09:17 D/InstrumentationTest: Collecting test info for android.view.cts on device chromeos2-row4-rack8-host12:22
-03-25 20:09:17 I/RemoteAndroidTest: Running am instrument -w -r --abi armeabi-v7a  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log true -e notTestFile /data/local/tmp/ajur/excludes.txt -e timeout_msec 300000 android.view.cts/android.support.test.runner.AndroidJUnitRunner on google-chromebook_11_model_3180-chromeos2-row4-rack8-host12:22
-03-25 20:09:23 I/RemoteAndroidTest: Running am instrument -w -r --abi armeabi-v7a  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log false -e notTestFile /data/local/tmp/ajur/excludes.txt -e timeout_msec 300000 android.view.cts/android.support.test.runner.AndroidJUnitRunner on google-chromebook_11_model_3180-chromeos2-row4-rack8-host12:22
-03-25 20:09:24 D/ModuleListener: ModuleListener.testRunStarted(android.view.cts, 739)
-03-25 20:09:24 I/ConsoleReporter: [chromeos2-row4-rack8-host12:22] Starting armeabi-v7a CtsViewTestCases with 739 tests
-03-25 20:09:24 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AccelerateDecelerateInterpolatorTest#testAccelerateDecelerateInterpolator)
-03-25 20:09:27 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AccelerateDecelerateInterpolatorTest#testAccelerateDecelerateInterpolator, {})
-03-25 20:09:27 I/ConsoleReporter: [1/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AccelerateDecelerateInterpolatorTest#testAccelerateDecelerateInterpolator pass
-03-25 20:09:27 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AccelerateDecelerateInterpolatorTest#testConstructor)
-03-25 20:09:27 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AccelerateDecelerateInterpolatorTest#testConstructor, {})
-03-25 20:09:27 I/ConsoleReporter: [2/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AccelerateDecelerateInterpolatorTest#testConstructor pass
-03-25 20:09:27 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AccelerateDecelerateInterpolatorTest#testGetInterpolation)
-03-25 20:09:27 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AccelerateDecelerateInterpolatorTest#testGetInterpolation, {})
-03-25 20:09:27 I/ConsoleReporter: [3/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AccelerateDecelerateInterpolatorTest#testGetInterpolation pass
-03-25 20:09:27 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AccelerateInterpolatorTest#testAccelerateInterpolator)
-03-25 20:09:30 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AccelerateInterpolatorTest#testAccelerateInterpolator, {})
-03-25 20:09:30 I/ConsoleReporter: [4/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AccelerateInterpolatorTest#testAccelerateInterpolator pass
-03-25 20:09:30 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AccelerateInterpolatorTest#testConstructor)
-03-25 20:09:30 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AccelerateInterpolatorTest#testConstructor, {})
-03-25 20:09:30 I/ConsoleReporter: [5/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AccelerateInterpolatorTest#testConstructor pass
-03-25 20:09:30 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AccelerateInterpolatorTest#testGetInterpolation)
-03-25 20:09:30 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AccelerateInterpolatorTest#testGetInterpolation, {})
-03-25 20:09:30 I/ConsoleReporter: [6/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AccelerateInterpolatorTest#testGetInterpolation pass
-03-25 20:09:30 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AlphaAnimationTest#testApplyTransformation)
-03-25 20:09:30 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AlphaAnimationTest#testApplyTransformation, {})
-03-25 20:09:30 I/ConsoleReporter: [7/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AlphaAnimationTest#testApplyTransformation pass
-03-25 20:09:30 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AlphaAnimationTest#testConstructor)
-03-25 20:09:30 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AlphaAnimationTest#testConstructor, {})
-03-25 20:09:30 I/ConsoleReporter: [8/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AlphaAnimationTest#testConstructor pass
-03-25 20:09:30 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AlphaAnimationTest#testWillChangeBounds)
-03-25 20:09:30 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AlphaAnimationTest#testWillChangeBounds, {})
-03-25 20:09:30 I/ConsoleReporter: [9/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AlphaAnimationTest#testWillChangeBounds pass
-03-25 20:09:30 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AlphaAnimationTest#testWillChangeTransformationMatrix)
-03-25 20:09:30 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AlphaAnimationTest#testWillChangeTransformationMatrix, {})
-03-25 20:09:30 I/ConsoleReporter: [10/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AlphaAnimationTest#testWillChangeTransformationMatrix pass
-03-25 20:09:30 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testAccessAnimations)
-03-25 20:09:31 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testAccessAnimations, {})
-03-25 20:09:31 I/ConsoleReporter: [11/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testAccessAnimations pass
-03-25 20:09:31 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testAccessDuration)
-03-25 20:09:31 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testAccessDuration, {})
-03-25 20:09:31 I/ConsoleReporter: [12/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testAccessDuration pass
-03-25 20:09:31 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testAccessRepeatMode)
-03-25 20:09:31 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testAccessRepeatMode, {})
-03-25 20:09:31 I/ConsoleReporter: [13/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testAccessRepeatMode pass
-03-25 20:09:31 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testAccessStartOffset)
-03-25 20:09:31 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testAccessStartOffset, {})
-03-25 20:09:31 I/ConsoleReporter: [14/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testAccessStartOffset pass
-03-25 20:09:31 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testAccessStartTime)
-03-25 20:09:32 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testAccessStartTime, {})
-03-25 20:09:32 I/ConsoleReporter: [15/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testAccessStartTime pass
-03-25 20:09:32 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testClone)
-03-25 20:09:32 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testClone, {})
-03-25 20:09:32 I/ConsoleReporter: [16/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testClone pass
-03-25 20:09:32 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testComputeDurationHint)
-03-25 20:09:32 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testComputeDurationHint, {})
-03-25 20:09:32 I/ConsoleReporter: [17/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testComputeDurationHint pass
-03-25 20:09:32 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testConstructor)
-03-25 20:09:32 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testConstructor, {})
-03-25 20:09:32 I/ConsoleReporter: [18/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testConstructor pass
-03-25 20:09:32 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testGetTransformation)
-03-25 20:09:35 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testGetTransformation, {})
-03-25 20:09:35 I/ConsoleReporter: [19/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testGetTransformation pass
-03-25 20:09:35 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testInitialize)
-03-25 20:09:35 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testInitialize, {})
-03-25 20:09:35 I/ConsoleReporter: [20/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testInitialize pass
-03-25 20:09:35 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testRestrictDuration)
-03-25 20:09:35 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testRestrictDuration, {})
-03-25 20:09:35 I/ConsoleReporter: [21/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testRestrictDuration pass
-03-25 20:09:35 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testScaleCurrentDuration)
-03-25 20:09:35 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testScaleCurrentDuration, {})
-03-25 20:09:35 I/ConsoleReporter: [22/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testScaleCurrentDuration pass
-03-25 20:09:35 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testSetFillAfter)
-03-25 20:09:36 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testSetFillAfter, {})
-03-25 20:09:36 I/ConsoleReporter: [23/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testSetFillAfter pass
-03-25 20:09:36 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testSetFillBefore)
-03-25 20:09:36 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testSetFillBefore, {})
-03-25 20:09:36 I/ConsoleReporter: [24/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testSetFillBefore pass
-03-25 20:09:36 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationSetTest#testWillChangeTransformationMatrix)
-03-25 20:09:36 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationSetTest#testWillChangeTransformationMatrix, {})
-03-25 20:09:36 I/ConsoleReporter: [25/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationSetTest#testWillChangeTransformationMatrix pass
-03-25 20:09:36 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testAccessFill)
-03-25 20:09:40 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testAccessFill, {})
-03-25 20:09:40 I/ConsoleReporter: [26/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testAccessFill pass
-03-25 20:09:40 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testAccessInterpolator)
-03-25 20:09:40 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testAccessInterpolator, {})
-03-25 20:09:40 I/ConsoleReporter: [27/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testAccessInterpolator pass
-03-25 20:09:40 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testAccessStartOffset)
-03-25 20:09:42 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testAccessStartOffset, {})
-03-25 20:09:42 I/ConsoleReporter: [28/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testAccessStartOffset pass
-03-25 20:09:42 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testAccessZAdjustment)
-03-25 20:09:42 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testAccessZAdjustment, {})
-03-25 20:09:42 I/ConsoleReporter: [29/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testAccessZAdjustment pass
-03-25 20:09:43 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testCancelDelayed)
-03-25 20:09:43 D/ModuleListener: ModuleListener.testFailed(android.view.animation.cts.AnimationTest#testCancelDelayed, junit.framework.AssertionFailedError

-at junit.framework.Assert.fail(Assert.java:48)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at junit.framework.Assert.assertTrue(Assert.java:27)

-at android.view.animation.cts.AnimationTest.testCancelDelayed(AnimationTest.java:670)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at android.test.ActivityInstrumentationTestCase2.runTest(ActivityInstrumentationTestCase2.java:192)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-03-25 20:09:43 I/ConsoleReporter: [30/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testCancelDelayed fail: junit.framework.AssertionFailedError

-at junit.framework.Assert.fail(Assert.java:48)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at junit.framework.Assert.assertTrue(Assert.java:27)

-at android.view.animation.cts.AnimationTest.testCancelDelayed(AnimationTest.java:670)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at android.test.ActivityInstrumentationTestCase2.runTest(ActivityInstrumentationTestCase2.java:192)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-03-25 20:09:43 I/FailureListener: FailureListener.testFailed android.view.animation.cts.AnimationTest#testCancelDelayed false true false
-03-25 20:09:45 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42 with prefix "android.view.animation.cts.AnimationTest#testCancelDelayed-logcat_" suffix ".zip"
-03-25 20:09:45 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42/android.view.animation.cts.AnimationTest#testCancelDelayed-logcat_4782303490101465126.zip
-03-25 20:09:45 I/ResultReporter: Saved logs for android.view.animation.cts.AnimationTest#testCancelDelayed-logcat in /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42/android.view.animation.cts.AnimationTest#testCancelDelayed-logcat_4782303490101465126.zip
-03-25 20:09:45 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_1220617565712510638 with prefix "android.view.animation.cts.AnimationTest#testCancelDelayed-logcat_" suffix ".zip"
-03-25 20:09:45 D/RunUtil: Running command with timeout: 10000ms
-03-25 20:09:45 D/RunUtil: Running [chmod]
-03-25 20:09:45 D/RunUtil: [chmod] command failed. return code 1
-03-25 20:09:45 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_1220617565712510638/android.view.animation.cts.AnimationTest#testCancelDelayed-logcat_85873451691263655.zip to ug+rwx
-03-25 20:09:45 D/RunUtil: Running command with timeout: 10000ms
-03-25 20:09:45 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_1220617565712510638/android.view.animation.cts.AnimationTest#testCancelDelayed-logcat_85873451691263655.zip]
-03-25 20:09:45 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_1220617565712510638/android.view.animation.cts.AnimationTest#testCancelDelayed-logcat_85873451691263655.zip
-03-25 20:09:45 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testCancelDelayed, {})
-03-25 20:09:45 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testCancelImmediately)
-03-25 20:09:45 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testCancelImmediately, {})
-03-25 20:09:45 I/ConsoleReporter: [31/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testCancelImmediately pass
-03-25 20:09:45 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testClone)
-03-25 20:09:45 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testClone, {})
-03-25 20:09:45 I/ConsoleReporter: [32/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testClone pass
-03-25 20:09:45 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testComputeDurationHint)
-03-25 20:09:45 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testComputeDurationHint, {})
-03-25 20:09:45 I/ConsoleReporter: [33/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testComputeDurationHint pass
-03-25 20:09:45 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testConstructor)
-03-25 20:09:45 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testConstructor, {})
-03-25 20:09:45 I/ConsoleReporter: [34/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testConstructor pass
-03-25 20:09:45 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testDefaultFill)
-03-25 20:09:45 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testDefaultFill, {})
-03-25 20:09:45 I/ConsoleReporter: [35/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testDefaultFill pass
-03-25 20:09:45 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testGetTransformation)
-03-25 20:09:46 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testGetTransformation, {})
-03-25 20:09:46 I/ConsoleReporter: [36/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testGetTransformation pass
-03-25 20:09:46 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testInitialize)
-03-25 20:09:47 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testInitialize, {})
-03-25 20:09:47 I/ConsoleReporter: [37/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testInitialize pass
-03-25 20:09:47 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testRepeatAnimation)
-03-25 20:09:53 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testRepeatAnimation, {})
-03-25 20:09:53 I/ConsoleReporter: [38/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testRepeatAnimation pass
-03-25 20:09:53 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testRepeatingCancelDelayed)
-03-25 20:09:53 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testRepeatingCancelDelayed, {})
-03-25 20:09:53 I/ConsoleReporter: [39/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testRepeatingCancelDelayed pass
-03-25 20:09:53 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testRepeatingCancelImmediately)
-03-25 20:09:54 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testRepeatingCancelImmediately, {})
-03-25 20:09:54 I/ConsoleReporter: [40/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testRepeatingCancelImmediately pass
-03-25 20:09:54 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testResolveSize)
-03-25 20:09:54 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testResolveSize, {})
-03-25 20:09:54 I/ConsoleReporter: [41/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testResolveSize pass
-03-25 20:09:54 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testRestrictDuration)
-03-25 20:09:54 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testRestrictDuration, {})
-03-25 20:09:54 I/ConsoleReporter: [42/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testRestrictDuration pass
-03-25 20:09:54 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testRunAccelerateAlpha)
-03-25 20:09:56 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testRunAccelerateAlpha, {})
-03-25 20:09:56 I/ConsoleReporter: [43/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testRunAccelerateAlpha pass
-03-25 20:09:56 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testScaleCurrentDuration)
-03-25 20:09:56 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testScaleCurrentDuration, {})
-03-25 20:09:56 I/ConsoleReporter: [44/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testScaleCurrentDuration pass
-03-25 20:09:56 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testSetAnimationListener)
-03-25 20:10:04 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testSetAnimationListener, {})
-03-25 20:10:04 I/ConsoleReporter: [45/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testSetAnimationListener pass
-03-25 20:10:05 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testStart)
-03-25 20:10:05 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testStart, {})
-03-25 20:10:05 I/ConsoleReporter: [46/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testStart pass
-03-25 20:10:05 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testStartNow)
-03-25 20:10:05 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testStartNow, {})
-03-25 20:10:05 I/ConsoleReporter: [47/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testStartNow pass
-03-25 20:10:05 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testWillChangeBounds)
-03-25 20:10:05 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testWillChangeBounds, {})
-03-25 20:10:05 I/ConsoleReporter: [48/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testWillChangeBounds pass
-03-25 20:10:05 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationTest#testWillChangeTransformationMatrix)
-03-25 20:10:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationTest#testWillChangeTransformationMatrix, {})
-03-25 20:10:06 I/ConsoleReporter: [49/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationTest#testWillChangeTransformationMatrix pass
-03-25 20:10:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationUtilsTest#testCurrentAnimationTimeMillis)
-03-25 20:10:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationUtilsTest#testCurrentAnimationTimeMillis, {})
-03-25 20:10:06 I/ConsoleReporter: [50/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationUtilsTest#testCurrentAnimationTimeMillis pass
-03-25 20:10:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationUtilsTest#testLoad)
-03-25 20:10:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationUtilsTest#testLoad, {})
-03-25 20:10:06 I/ConsoleReporter: [51/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationUtilsTest#testLoad pass
-03-25 20:10:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimationUtilsTest#testMakeAnimation)
-03-25 20:10:07 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimationUtilsTest#testMakeAnimation, {})
-03-25 20:10:07 I/ConsoleReporter: [52/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimationUtilsTest#testMakeAnimation pass
-03-25 20:10:07 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimatorInflaterTest#testLoadAnimator)
-03-25 20:10:08 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimatorInflaterTest#testLoadAnimator, {})
-03-25 20:10:08 I/ConsoleReporter: [53/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimatorInflaterTest#testLoadAnimator pass
-03-25 20:10:08 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimatorInflaterTest#testLoadAnimatorWithDifferentInterpolators)
-03-25 20:10:08 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimatorInflaterTest#testLoadAnimatorWithDifferentInterpolators, {})
-03-25 20:10:08 I/ConsoleReporter: [54/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimatorInflaterTest#testLoadAnimatorWithDifferentInterpolators pass
-03-25 20:10:08 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimatorInflaterTest#testLoadChangingStateListAnimator)
-03-25 20:10:09 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimatorInflaterTest#testLoadChangingStateListAnimator, {})
-03-25 20:10:09 I/ConsoleReporter: [55/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimatorInflaterTest#testLoadChangingStateListAnimator pass
-03-25 20:10:09 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimatorInflaterTest#testLoadStateListAnimator)
-03-25 20:10:09 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimatorInflaterTest#testLoadStateListAnimator, {})
-03-25 20:10:09 I/ConsoleReporter: [56/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimatorInflaterTest#testLoadStateListAnimator pass
-03-25 20:10:10 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimatorInflaterTest#testLoadStateListAnimatorWithChangingResetState)
-03-25 20:10:10 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimatorInflaterTest#testLoadStateListAnimatorWithChangingResetState, {})
-03-25 20:10:10 I/ConsoleReporter: [57/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimatorInflaterTest#testLoadStateListAnimatorWithChangingResetState pass
-03-25 20:10:10 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.AnimatorInflaterTest#testReloadedAnimatorIsNotModified)
-03-25 20:10:11 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.AnimatorInflaterTest#testReloadedAnimatorIsNotModified, {})
-03-25 20:10:11 I/ConsoleReporter: [58/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.AnimatorInflaterTest#testReloadedAnimatorIsNotModified pass
-03-25 20:10:11 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.CycleInterpolatorTest#testConstructors)
-03-25 20:10:11 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.CycleInterpolatorTest#testConstructors, {})
-03-25 20:10:11 I/ConsoleReporter: [59/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.CycleInterpolatorTest#testConstructors pass
-03-25 20:10:11 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.CycleInterpolatorTest#testCycyleInterpolator)
-03-25 20:10:16 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.CycleInterpolatorTest#testCycyleInterpolator, {})
-03-25 20:10:16 I/ConsoleReporter: [60/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.CycleInterpolatorTest#testCycyleInterpolator pass
-03-25 20:10:16 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.CycleInterpolatorTest#testGetInterpolation)
-03-25 20:10:16 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.CycleInterpolatorTest#testGetInterpolation, {})
-03-25 20:10:16 I/ConsoleReporter: [61/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.CycleInterpolatorTest#testGetInterpolation pass
-03-25 20:10:16 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.DecelerateInterpolatorTest#testConstructor)
-03-25 20:10:16 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.DecelerateInterpolatorTest#testConstructor, {})
-03-25 20:10:16 I/ConsoleReporter: [62/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.DecelerateInterpolatorTest#testConstructor pass
-03-25 20:10:16 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.DecelerateInterpolatorTest#testDecelerateInterpolator)
-03-25 20:10:20 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.DecelerateInterpolatorTest#testDecelerateInterpolator, {})
-03-25 20:10:20 I/ConsoleReporter: [63/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.DecelerateInterpolatorTest#testDecelerateInterpolator pass
-03-25 20:10:21 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.DecelerateInterpolatorTest#testGetInterpolation)
-03-25 20:10:21 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.DecelerateInterpolatorTest#testGetInterpolation, {})
-03-25 20:10:21 I/ConsoleReporter: [64/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.DecelerateInterpolatorTest#testGetInterpolation pass
-03-25 20:10:21 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.GridLayoutAnimationControllerTest#testAccessDelay)
-03-25 20:10:49 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.GridLayoutAnimationControllerTest#testAccessDelay, {})
-03-25 20:10:49 I/ConsoleReporter: [65/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.GridLayoutAnimationControllerTest#testAccessDelay pass
-03-25 20:10:49 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.GridLayoutAnimationControllerTest#testAccessDirection)
-03-25 20:11:02 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.GridLayoutAnimationControllerTest#testAccessDirection, {})
-03-25 20:11:02 I/ConsoleReporter: [66/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.GridLayoutAnimationControllerTest#testAccessDirection pass
-03-25 20:11:02 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.GridLayoutAnimationControllerTest#testAccessDirectionPriority)
-03-25 20:11:14 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.GridLayoutAnimationControllerTest#testAccessDirectionPriority, {})
-03-25 20:11:14 I/ConsoleReporter: [67/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.GridLayoutAnimationControllerTest#testAccessDirectionPriority pass
-03-25 20:11:14 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.GridLayoutAnimationControllerTest#testConstructor)
-03-25 20:11:14 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.GridLayoutAnimationControllerTest#testConstructor, {})
-03-25 20:11:14 I/ConsoleReporter: [68/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.GridLayoutAnimationControllerTest#testConstructor pass
-03-25 20:11:14 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.GridLayoutAnimationControllerTest#testGetDelayForView)
-03-25 20:11:21 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.GridLayoutAnimationControllerTest#testGetDelayForView, {})
-03-25 20:11:21 I/ConsoleReporter: [69/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.GridLayoutAnimationControllerTest#testGetDelayForView pass
-03-25 20:11:21 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.GridLayoutAnimationControllerTest#testWillOverlap)
-03-25 20:11:21 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.GridLayoutAnimationControllerTest#testWillOverlap, {})
-03-25 20:11:21 I/ConsoleReporter: [70/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.GridLayoutAnimationControllerTest#testWillOverlap pass
-03-25 20:11:21 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.GridLayoutAnimationController_AnimationParametersTest#testConstructor)
-03-25 20:11:21 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.GridLayoutAnimationController_AnimationParametersTest#testConstructor, {})
-03-25 20:11:21 I/ConsoleReporter: [71/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.GridLayoutAnimationController_AnimationParametersTest#testConstructor pass
-03-25 20:11:21 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationControllerTest#testAccessAnimation)
-03-25 20:11:30 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationControllerTest#testAccessAnimation, {})
-03-25 20:11:30 I/ConsoleReporter: [72/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationControllerTest#testAccessAnimation pass
-03-25 20:11:30 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationControllerTest#testAccessDelay)
-03-25 20:11:35 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationControllerTest#testAccessDelay, {})
-03-25 20:11:35 I/ConsoleReporter: [73/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationControllerTest#testAccessDelay pass
-03-25 20:11:35 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationControllerTest#testAccessInterpolator)
-03-25 20:11:42 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationControllerTest#testAccessInterpolator, {})
-03-25 20:11:42 I/ConsoleReporter: [74/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationControllerTest#testAccessInterpolator pass
-03-25 20:11:42 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationControllerTest#testAccessOrder)
-03-25 20:11:48 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationControllerTest#testAccessOrder, {})
-03-25 20:11:48 I/ConsoleReporter: [75/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationControllerTest#testAccessOrder pass
-03-25 20:11:48 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationControllerTest#testConstructor)
-03-25 20:11:48 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationControllerTest#testConstructor, {})
-03-25 20:11:48 I/ConsoleReporter: [76/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationControllerTest#testConstructor pass
-03-25 20:11:48 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationControllerTest#testGetAnimationForView)
-03-25 20:11:52 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationControllerTest#testGetAnimationForView, {})
-03-25 20:11:52 I/ConsoleReporter: [77/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationControllerTest#testGetAnimationForView pass
-03-25 20:11:52 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationControllerTest#testGetDelayForView)
-03-25 20:11:55 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationControllerTest#testGetDelayForView, {})
-03-25 20:11:55 I/ConsoleReporter: [78/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationControllerTest#testGetDelayForView pass
-03-25 20:11:55 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationControllerTest#testGetTransformedIndex)
-03-25 20:11:56 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationControllerTest#testGetTransformedIndex, {})
-03-25 20:11:56 I/ConsoleReporter: [79/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationControllerTest#testGetTransformedIndex pass
-03-25 20:11:56 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationControllerTest#testIsDone)
-03-25 20:11:59 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationControllerTest#testIsDone, {})
-03-25 20:11:59 I/ConsoleReporter: [80/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationControllerTest#testIsDone pass
-03-25 20:11:59 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationControllerTest#testStart)
-03-25 20:11:59 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationControllerTest#testStart, {})
-03-25 20:11:59 I/ConsoleReporter: [81/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationControllerTest#testStart pass
-03-25 20:11:59 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationControllerTest#testWillOverlap)
-03-25 20:11:59 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationControllerTest#testWillOverlap, {})
-03-25 20:11:59 I/ConsoleReporter: [82/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationControllerTest#testWillOverlap pass
-03-25 20:11:59 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LayoutAnimationController_AnimationParametersTest#testConstructor)
-03-25 20:11:59 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LayoutAnimationController_AnimationParametersTest#testConstructor, {})
-03-25 20:11:59 I/ConsoleReporter: [83/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LayoutAnimationController_AnimationParametersTest#testConstructor pass
-03-25 20:11:59 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LinearInterpolatorTest#testConstructor)
-03-25 20:12:00 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LinearInterpolatorTest#testConstructor, {})
-03-25 20:12:00 I/ConsoleReporter: [84/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LinearInterpolatorTest#testConstructor pass
-03-25 20:12:00 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LinearInterpolatorTest#testGetInterpolation)
-03-25 20:12:00 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LinearInterpolatorTest#testGetInterpolation, {})
-03-25 20:12:00 I/ConsoleReporter: [85/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LinearInterpolatorTest#testGetInterpolation pass
-03-25 20:12:00 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.LinearInterpolatorTest#testLinearInterpolator)
-03-25 20:12:01 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.LinearInterpolatorTest#testLinearInterpolator, {})
-03-25 20:12:01 I/ConsoleReporter: [86/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.LinearInterpolatorTest#testLinearInterpolator pass
-03-25 20:12:01 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.RotateAnimationTest#testConstructors)
-03-25 20:12:01 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.RotateAnimationTest#testConstructors, {})
-03-25 20:12:01 I/ConsoleReporter: [87/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.RotateAnimationTest#testConstructors pass
-03-25 20:12:01 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.RotateAnimationTest#testRotateAgainstOrigin)
-03-25 20:12:03 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.RotateAnimationTest#testRotateAgainstOrigin, {})
-03-25 20:12:03 I/ConsoleReporter: [88/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.RotateAnimationTest#testRotateAgainstOrigin pass
-03-25 20:12:03 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.RotateAnimationTest#testRotateAgainstPoint)
-03-25 20:12:04 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.RotateAnimationTest#testRotateAgainstPoint, {})
-03-25 20:12:04 I/ConsoleReporter: [89/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.RotateAnimationTest#testRotateAgainstPoint pass
-03-25 20:12:04 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.ScaleAnimationTest#testApplyTransformation)
-03-25 20:12:04 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.ScaleAnimationTest#testApplyTransformation, {})
-03-25 20:12:04 I/ConsoleReporter: [90/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.ScaleAnimationTest#testApplyTransformation pass
-03-25 20:12:04 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.ScaleAnimationTest#testApplyTransformationIndirectly)
-03-25 20:12:05 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.ScaleAnimationTest#testApplyTransformationIndirectly, {})
-03-25 20:12:05 I/ConsoleReporter: [91/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.ScaleAnimationTest#testApplyTransformationIndirectly pass
-03-25 20:12:05 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.ScaleAnimationTest#testConstructors)
-03-25 20:12:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.ScaleAnimationTest#testConstructors, {})
-03-25 20:12:06 I/ConsoleReporter: [92/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.ScaleAnimationTest#testConstructors pass
-03-25 20:12:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.TransformationTest#testAccessAlpha)
-03-25 20:12:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.TransformationTest#testAccessAlpha, {})
-03-25 20:12:06 I/ConsoleReporter: [93/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.TransformationTest#testAccessAlpha pass
-03-25 20:12:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.TransformationTest#testAccessTransformationType)
-03-25 20:12:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.TransformationTest#testAccessTransformationType, {})
-03-25 20:12:06 I/ConsoleReporter: [94/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.TransformationTest#testAccessTransformationType pass
-03-25 20:12:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.TransformationTest#testClear)
-03-25 20:12:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.TransformationTest#testClear, {})
-03-25 20:12:06 I/ConsoleReporter: [95/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.TransformationTest#testClear pass
-03-25 20:12:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.TransformationTest#testCompose)
-03-25 20:12:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.TransformationTest#testCompose, {})
-03-25 20:12:06 I/ConsoleReporter: [96/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.TransformationTest#testCompose pass
-03-25 20:12:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.TransformationTest#testConstructor)
-03-25 20:12:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.TransformationTest#testConstructor, {})
-03-25 20:12:06 I/ConsoleReporter: [97/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.TransformationTest#testConstructor pass
-03-25 20:12:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.TransformationTest#testGetMatrix)
-03-25 20:12:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.TransformationTest#testGetMatrix, {})
-03-25 20:12:06 I/ConsoleReporter: [98/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.TransformationTest#testGetMatrix pass
-03-25 20:12:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.TransformationTest#testSet)
-03-25 20:12:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.TransformationTest#testSet, {})
-03-25 20:12:06 I/ConsoleReporter: [99/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.TransformationTest#testSet pass
-03-25 20:12:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.TransformationTest#testToString)
-03-25 20:12:06 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.TransformationTest#testToString, {})
-03-25 20:12:06 I/ConsoleReporter: [100/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.TransformationTest#testToString pass
-03-25 20:12:06 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.TranslateAnimationTest#testApplyTransformation)
-03-25 20:12:07 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.TranslateAnimationTest#testApplyTransformation, {})
-03-25 20:12:07 I/ConsoleReporter: [101/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.TranslateAnimationTest#testApplyTransformation pass
-03-25 20:12:07 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.TranslateAnimationTest#testConstructors)
-03-25 20:12:07 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.TranslateAnimationTest#testConstructors, {})
-03-25 20:12:07 I/ConsoleReporter: [102/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.TranslateAnimationTest#testConstructors pass
-03-25 20:12:07 D/ModuleListener: ModuleListener.testStarted(android.view.animation.cts.TranslateAnimationTest#testInitialize)
-03-25 20:12:09 D/ModuleListener: ModuleListener.testEnded(android.view.animation.cts.TranslateAnimationTest#testInitialize, {})
-03-25 20:12:09 I/ConsoleReporter: [103/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.animation.cts.TranslateAnimationTest#testInitialize pass
-03-25 20:12:09 D/ModuleListener: ModuleListener.testStarted(android.view.cts.AbsSavedStateTest#testConstructor)
-03-25 20:12:09 D/ModuleListener: ModuleListener.testEnded(android.view.cts.AbsSavedStateTest#testConstructor, {})
-03-25 20:12:09 I/ConsoleReporter: [104/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.AbsSavedStateTest#testConstructor pass
-03-25 20:12:09 D/ModuleListener: ModuleListener.testStarted(android.view.cts.AbsSavedStateTest#testGetSuperState)
-03-25 20:12:09 D/ModuleListener: ModuleListener.testEnded(android.view.cts.AbsSavedStateTest#testGetSuperState, {})
-03-25 20:12:09 I/ConsoleReporter: [105/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.AbsSavedStateTest#testGetSuperState pass
-03-25 20:12:09 D/ModuleListener: ModuleListener.testStarted(android.view.cts.AbsSavedStateTest#testWriteToParcel)
-03-25 20:12:09 D/ModuleListener: ModuleListener.testEnded(android.view.cts.AbsSavedStateTest#testWriteToParcel, {})
-03-25 20:12:09 I/ConsoleReporter: [106/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.AbsSavedStateTest#testWriteToParcel pass
-03-25 20:12:09 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ActionModeCallback2Test#testCallbackOnGetContentRectDefaultWithView)
-03-25 20:12:09 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ActionModeCallback2Test#testCallbackOnGetContentRectDefaultWithView, {})
-03-25 20:12:09 I/ConsoleReporter: [107/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ActionModeCallback2Test#testCallbackOnGetContentRectDefaultWithView pass
-03-25 20:12:09 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ActionModeCallback2Test#testCallbackOnGetContentRectDefaultWithoutView)
-03-25 20:12:09 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ActionModeCallback2Test#testCallbackOnGetContentRectDefaultWithoutView, {})
-03-25 20:12:09 I/ConsoleReporter: [108/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ActionModeCallback2Test#testCallbackOnGetContentRectDefaultWithoutView pass
-03-25 20:12:09 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ActionModeTest#testHide)
-03-25 20:12:09 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ActionModeTest#testHide, {})
-03-25 20:12:09 I/ConsoleReporter: [109/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ActionModeTest#testHide pass
-03-25 20:12:09 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ActionModeTest#testInvalidateContentRectDoesNotInvalidateFull)
-03-25 20:12:09 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ActionModeTest#testInvalidateContentRectDoesNotInvalidateFull, {})
-03-25 20:12:09 I/ConsoleReporter: [110/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ActionModeTest#testInvalidateContentRectDoesNotInvalidateFull pass
-03-25 20:12:09 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ActionModeTest#testInvalidateContentRectOnFloatingCallsCallback)
-03-25 20:12:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ActionModeTest#testInvalidateContentRectOnFloatingCallsCallback, {})
-03-25 20:12:10 I/ConsoleReporter: [111/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ActionModeTest#testInvalidateContentRectOnFloatingCallsCallback pass
-03-25 20:12:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ActionModeTest#testIsTitleOptional)
-03-25 20:12:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ActionModeTest#testIsTitleOptional, {})
-03-25 20:12:10 I/ConsoleReporter: [112/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ActionModeTest#testIsTitleOptional pass
-03-25 20:12:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ActionModeTest#testIsUiFocusable)
-03-25 20:12:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ActionModeTest#testIsUiFocusable, {})
-03-25 20:12:10 I/ConsoleReporter: [113/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ActionModeTest#testIsUiFocusable pass
-03-25 20:12:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ActionModeTest#testOnWindowFocusChanged)
-03-25 20:12:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ActionModeTest#testOnWindowFocusChanged, {})
-03-25 20:12:10 I/ConsoleReporter: [114/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ActionModeTest#testOnWindowFocusChanged pass
-03-25 20:12:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ActionModeTest#testSetAndGetTag)
-03-25 20:12:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ActionModeTest#testSetAndGetTag, {})
-03-25 20:12:10 I/ConsoleReporter: [115/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ActionModeTest#testSetAndGetTag pass
-03-25 20:12:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ActionModeTest#testSetAndGetTitleOptionalHint)
-03-25 20:12:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ActionModeTest#testSetAndGetTitleOptionalHint, {})
-03-25 20:12:10 I/ConsoleReporter: [116/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ActionModeTest#testSetAndGetTitleOptionalHint pass
-03-25 20:12:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ActionModeTest#testSetType)
-03-25 20:12:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ActionModeTest#testSetType, {})
-03-25 20:12:10 I/ConsoleReporter: [117/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ActionModeTest#testSetType pass
-03-25 20:12:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerNativeTest#testPostCallbackWithDelayEventuallyRunsCallbacks)
-03-25 20:12:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerNativeTest#testPostCallbackWithDelayEventuallyRunsCallbacks, {})
-03-25 20:12:10 I/ConsoleReporter: [118/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerNativeTest#testPostCallbackWithDelayEventuallyRunsCallbacks pass
-03-25 20:12:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerNativeTest#testPostCallbackWithoutDelayEventuallyRunsCallbacks)
-03-25 20:12:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerNativeTest#testPostCallbackWithoutDelayEventuallyRunsCallbacks, {})
-03-25 20:12:10 I/ConsoleReporter: [119/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerNativeTest#testPostCallbackWithoutDelayEventuallyRunsCallbacks pass
-03-25 20:12:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerTest#testFrameDelay)
-03-25 20:12:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerTest#testFrameDelay, {})
-03-25 20:12:10 I/ConsoleReporter: [120/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerTest#testFrameDelay pass
-03-25 20:12:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerTest#testPostCallbackDelayedThrowsIfRunnableIsNull)
-03-25 20:12:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerTest#testPostCallbackDelayedThrowsIfRunnableIsNull, {})
-03-25 20:12:10 I/ConsoleReporter: [121/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerTest#testPostCallbackDelayedThrowsIfRunnableIsNull pass
-03-25 20:12:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerTest#testPostCallbackThrowsIfRunnableIsNull)
-03-25 20:12:11 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerTest#testPostCallbackThrowsIfRunnableIsNull, {})
-03-25 20:12:11 I/ConsoleReporter: [122/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerTest#testPostCallbackThrowsIfRunnableIsNull pass
-03-25 20:12:11 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerTest#testPostCallbackWithDelayEventuallyRunsCallbacksAfterDelay)
-03-25 20:12:11 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerTest#testPostCallbackWithDelayEventuallyRunsCallbacksAfterDelay, {})
-03-25 20:12:11 I/ConsoleReporter: [123/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerTest#testPostCallbackWithDelayEventuallyRunsCallbacksAfterDelay pass
-03-25 20:12:11 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerTest#testPostCallbackWithoutDelayEventuallyRunsCallbacks)
-03-25 20:12:11 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerTest#testPostCallbackWithoutDelayEventuallyRunsCallbacks, {})
-03-25 20:12:11 I/ConsoleReporter: [124/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerTest#testPostCallbackWithoutDelayEventuallyRunsCallbacks pass
-03-25 20:12:11 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerTest#testPostFrameCallbackDelayedThrowsIfCallbackIsNull)
-03-25 20:12:11 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerTest#testPostFrameCallbackDelayedThrowsIfCallbackIsNull, {})
-03-25 20:12:11 I/ConsoleReporter: [125/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerTest#testPostFrameCallbackDelayedThrowsIfCallbackIsNull pass
-03-25 20:12:11 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerTest#testPostFrameCallbackThrowsIfCallbackIsNull)
-03-25 20:12:11 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerTest#testPostFrameCallbackThrowsIfCallbackIsNull, {})
-03-25 20:12:11 I/ConsoleReporter: [126/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerTest#testPostFrameCallbackThrowsIfCallbackIsNull pass
-03-25 20:12:11 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerTest#testPostFrameCallbackWithDelayEventuallyRunsFrameCallbacksAfterDelay)
-03-25 20:12:12 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerTest#testPostFrameCallbackWithDelayEventuallyRunsFrameCallbacksAfterDelay, {})
-03-25 20:12:12 I/ConsoleReporter: [127/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerTest#testPostFrameCallbackWithDelayEventuallyRunsFrameCallbacksAfterDelay pass
-03-25 20:12:12 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerTest#testPostFrameCallbackWithoutDelayEventuallyRunsFrameCallbacks)
-03-25 20:12:12 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerTest#testPostFrameCallbackWithoutDelayEventuallyRunsFrameCallbacks, {})
-03-25 20:12:12 I/ConsoleReporter: [128/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerTest#testPostFrameCallbackWithoutDelayEventuallyRunsFrameCallbacks pass
-03-25 20:12:12 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ChoreographerTest#testRemoveFrameCallbackThrowsIfCallbackIsNull)
-03-25 20:12:12 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ChoreographerTest#testRemoveFrameCallbackThrowsIfCallbackIsNull, {})
-03-25 20:12:12 I/ConsoleReporter: [129/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ChoreographerTest#testRemoveFrameCallbackThrowsIfCallbackIsNull pass
-03-25 20:12:12 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ContentPaneFocusTest#testAccessActionBar)
-03-25 20:12:13 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ContentPaneFocusTest#testAccessActionBar, {})
-03-25 20:12:13 I/ConsoleReporter: [130/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ContentPaneFocusTest#testAccessActionBar pass
-03-25 20:12:13 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ContextThemeWrapperTest#testAccessTheme)
-03-25 20:12:13 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ContextThemeWrapperTest#testAccessTheme, {})
-03-25 20:12:13 I/ConsoleReporter: [131/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ContextThemeWrapperTest#testAccessTheme pass
-03-25 20:12:13 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ContextThemeWrapperTest#testApplyOverrideConfiguration)
-03-25 20:12:13 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ContextThemeWrapperTest#testApplyOverrideConfiguration, {})
-03-25 20:12:13 I/ConsoleReporter: [132/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ContextThemeWrapperTest#testApplyOverrideConfiguration pass
-03-25 20:12:13 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ContextThemeWrapperTest#testAttachBaseContext)
-03-25 20:12:13 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ContextThemeWrapperTest#testAttachBaseContext, {})
-03-25 20:12:13 I/ConsoleReporter: [133/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ContextThemeWrapperTest#testAttachBaseContext pass
-03-25 20:12:13 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ContextThemeWrapperTest#testConstructor)
-03-25 20:12:13 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ContextThemeWrapperTest#testConstructor, {})
-03-25 20:12:13 I/ConsoleReporter: [134/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ContextThemeWrapperTest#testConstructor pass
-03-25 20:12:13 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ContextThemeWrapperTest#testGetSystemService)
-03-25 20:12:13 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ContextThemeWrapperTest#testGetSystemService, {})
-03-25 20:12:13 I/ConsoleReporter: [135/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ContextThemeWrapperTest#testGetSystemService pass
-03-25 20:12:13 D/ModuleListener: ModuleListener.testStarted(android.view.cts.DisplayRefreshRateTest#testRefreshRate)
-03-25 20:12:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.DisplayRefreshRateTest#testRefreshRate, {})
-03-25 20:12:24 I/ConsoleReporter: [136/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.DisplayRefreshRateTest#testRefreshRate pass
-03-25 20:12:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.FocusFinderTest#testFindNearestTouchable)
-03-25 20:12:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.FocusFinderTest#testFindNearestTouchable, {})
-03-25 20:12:24 I/ConsoleReporter: [137/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.FocusFinderTest#testFindNearestTouchable pass
-03-25 20:12:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.FocusFinderTest#testFindNextAndPrevFocusAvoidingChain)
-03-25 20:12:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.FocusFinderTest#testFindNextAndPrevFocusAvoidingChain, {})
-03-25 20:12:24 I/ConsoleReporter: [138/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.FocusFinderTest#testFindNextAndPrevFocusAvoidingChain pass
-03-25 20:12:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.FocusFinderTest#testFindNextFocus)
-03-25 20:12:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.FocusFinderTest#testFindNextFocus, {})
-03-25 20:12:25 I/ConsoleReporter: [139/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.FocusFinderTest#testFindNextFocus pass
-03-25 20:12:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.FocusFinderTest#testFindNextFocusFromRect)
-03-25 20:12:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.FocusFinderTest#testFindNextFocusFromRect, {})
-03-25 20:12:25 I/ConsoleReporter: [140/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.FocusFinderTest#testFindNextFocusFromRect pass
-03-25 20:12:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.FocusFinderTest#testGetInstance)
-03-25 20:12:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.FocusFinderTest#testGetInstance, {})
-03-25 20:12:25 I/ConsoleReporter: [141/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.FocusFinderTest#testGetInstance pass
-03-25 20:12:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.FrameMetricsListenerTest#testDropCount)
-03-25 20:12:27 D/ModuleListener: ModuleListener.testEnded(android.view.cts.FrameMetricsListenerTest#testDropCount, {})
-03-25 20:12:27 I/ConsoleReporter: [142/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.FrameMetricsListenerTest#testDropCount pass
-03-25 20:12:27 D/ModuleListener: ModuleListener.testStarted(android.view.cts.FrameMetricsListenerTest#testMultipleListeners)
-03-25 20:12:27 D/ModuleListener: ModuleListener.testEnded(android.view.cts.FrameMetricsListenerTest#testMultipleListeners, {})
-03-25 20:12:27 I/ConsoleReporter: [143/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.FrameMetricsListenerTest#testMultipleListeners pass
-03-25 20:12:27 D/ModuleListener: ModuleListener.testStarted(android.view.cts.FrameMetricsListenerTest#testReceiveData)
-03-25 20:12:27 D/ModuleListener: ModuleListener.testEnded(android.view.cts.FrameMetricsListenerTest#testReceiveData, {})
-03-25 20:12:27 I/ConsoleReporter: [144/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.FrameMetricsListenerTest#testReceiveData pass
-03-25 20:12:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.GestureDetectorTest#testConstructor)
-03-25 20:12:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.GestureDetectorTest#testConstructor, {})
-03-25 20:12:28 I/ConsoleReporter: [145/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.GestureDetectorTest#testConstructor pass
-03-25 20:12:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.GestureDetectorTest#testLongpressEnabled)
-03-25 20:12:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.GestureDetectorTest#testLongpressEnabled, {})
-03-25 20:12:28 I/ConsoleReporter: [146/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.GestureDetectorTest#testLongpressEnabled pass
-03-25 20:12:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.GestureDetectorTest#testOnContextClick)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.GestureDetectorTest#testOnContextClick, {})
-03-25 20:12:29 I/ConsoleReporter: [147/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.GestureDetectorTest#testOnContextClick pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.GestureDetectorTest#testOnGenericMotionEvent)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.GestureDetectorTest#testOnGenericMotionEvent, {})
-03-25 20:12:29 I/ConsoleReporter: [148/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.GestureDetectorTest#testOnGenericMotionEvent pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.GestureDetectorTest#testOnSetContextClickListener)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.GestureDetectorTest#testOnSetContextClickListener, {})
-03-25 20:12:29 I/ConsoleReporter: [149/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.GestureDetectorTest#testOnSetContextClickListener pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.GravityTest#testApply)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.GravityTest#testApply, {})
-03-25 20:12:29 I/ConsoleReporter: [150/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.GravityTest#testApply pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.GravityTest#testApplyDisplay)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.GravityTest#testApplyDisplay, {})
-03-25 20:12:29 I/ConsoleReporter: [151/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.GravityTest#testApplyDisplay pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.GravityTest#testConstructor)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.GravityTest#testConstructor, {})
-03-25 20:12:29 I/ConsoleReporter: [152/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.GravityTest#testConstructor pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.GravityTest#testGetAbsoluteGravity)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.GravityTest#testGetAbsoluteGravity, {})
-03-25 20:12:29 I/ConsoleReporter: [153/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.GravityTest#testGetAbsoluteGravity pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.GravityTest#testIsHorizontal)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.GravityTest#testIsHorizontal, {})
-03-25 20:12:29 I/ConsoleReporter: [154/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.GravityTest#testIsHorizontal pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.GravityTest#testIsVertical)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.GravityTest#testIsVertical, {})
-03-25 20:12:29 I/ConsoleReporter: [155/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.GravityTest#testIsVertical pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.InflateExceptionTest#testInflateException)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.InflateExceptionTest#testInflateException, {})
-03-25 20:12:29 I/ConsoleReporter: [156/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.InflateExceptionTest#testInflateException pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyCharacterMapTest#testGetEvents)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyCharacterMapTest#testGetEvents, {})
-03-25 20:12:29 I/ConsoleReporter: [157/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyCharacterMapTest#testGetEvents pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyCharacterMapTest#testGetKeyData)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyCharacterMapTest#testGetKeyData, {})
-03-25 20:12:29 I/ConsoleReporter: [158/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyCharacterMapTest#testGetKeyData pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyCharacterMapTest#testGetKeyboardType)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyCharacterMapTest#testGetKeyboardType, {})
-03-25 20:12:29 I/ConsoleReporter: [159/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyCharacterMapTest#testGetKeyboardType pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyCharacterMapTest#testGetMatch1)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyCharacterMapTest#testGetMatch1, {})
-03-25 20:12:29 I/ConsoleReporter: [160/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyCharacterMapTest#testGetMatch1 pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyCharacterMapTest#testGetMatch2)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyCharacterMapTest#testGetMatch2, {})
-03-25 20:12:29 I/ConsoleReporter: [161/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyCharacterMapTest#testGetMatch2 pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyCharacterMapTest#testGetNumber)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyCharacterMapTest#testGetNumber, {})
-03-25 20:12:29 I/ConsoleReporter: [162/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyCharacterMapTest#testGetNumber pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyCharacterMapTest#testIsPrintingKey)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyCharacterMapTest#testIsPrintingKey, {})
-03-25 20:12:29 I/ConsoleReporter: [163/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyCharacterMapTest#testIsPrintingKey pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyCharacterMapTest#testLoad)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyCharacterMapTest#testLoad, {})
-03-25 20:12:29 I/ConsoleReporter: [164/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyCharacterMapTest#testLoad pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testChangeAction)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testChangeAction, {})
-03-25 20:12:29 I/ConsoleReporter: [165/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testChangeAction pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testChangeFlags)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testChangeFlags, {})
-03-25 20:12:29 I/ConsoleReporter: [166/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testChangeFlags pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testChangeTimeRepeat)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testChangeTimeRepeat, {})
-03-25 20:12:29 I/ConsoleReporter: [167/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testChangeTimeRepeat pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testConstructor)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testConstructor, {})
-03-25 20:12:29 I/ConsoleReporter: [168/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testConstructor pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testDescribeContents)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testDescribeContents, {})
-03-25 20:12:29 I/ConsoleReporter: [169/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testDescribeContents pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testDispatch)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testDispatch, {})
-03-25 20:12:29 I/ConsoleReporter: [170/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testDispatch pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetAction)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetAction, {})
-03-25 20:12:29 I/ConsoleReporter: [171/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetAction pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetCharacters)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetCharacters, {})
-03-25 20:12:29 I/ConsoleReporter: [172/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetCharacters pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetDeadChar)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetDeadChar, {})
-03-25 20:12:29 I/ConsoleReporter: [173/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetDeadChar pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetDeviceId)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetDeviceId, {})
-03-25 20:12:29 I/ConsoleReporter: [174/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetDeviceId pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetDisplayLabel)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetDisplayLabel, {})
-03-25 20:12:29 I/ConsoleReporter: [175/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetDisplayLabel pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetDownTime)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetDownTime, {})
-03-25 20:12:29 I/ConsoleReporter: [176/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetDownTime pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetEventTime)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetEventTime, {})
-03-25 20:12:29 I/ConsoleReporter: [177/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetEventTime pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetFlags)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetFlags, {})
-03-25 20:12:29 I/ConsoleReporter: [178/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetFlags pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetKeyCode)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetKeyCode, {})
-03-25 20:12:29 I/ConsoleReporter: [179/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetKeyCode pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetKeyData)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetKeyData, {})
-03-25 20:12:29 I/ConsoleReporter: [180/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetKeyData pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetMatch1)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetMatch1, {})
-03-25 20:12:29 I/ConsoleReporter: [181/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetMatch1 pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetMaxKeyCode)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetMaxKeyCode, {})
-03-25 20:12:29 I/ConsoleReporter: [182/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetMaxKeyCode pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetMetaState)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetMetaState, {})
-03-25 20:12:29 I/ConsoleReporter: [183/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetMetaState pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetModifierMetaStateMask)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetModifierMetaStateMask, {})
-03-25 20:12:29 I/ConsoleReporter: [184/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetModifierMetaStateMask pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetNumber)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetNumber, {})
-03-25 20:12:29 I/ConsoleReporter: [185/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetNumber pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetRepeatCount)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetRepeatCount, {})
-03-25 20:12:29 I/ConsoleReporter: [186/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetRepeatCount pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetScanCode)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetScanCode, {})
-03-25 20:12:29 I/ConsoleReporter: [187/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetScanCode pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetUnicodeChar1)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetUnicodeChar1, {})
-03-25 20:12:29 I/ConsoleReporter: [188/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetUnicodeChar1 pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testGetUnicodeChar2)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testGetUnicodeChar2, {})
-03-25 20:12:29 I/ConsoleReporter: [189/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testGetUnicodeChar2 pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testHasModifiers)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testHasModifiers, {})
-03-25 20:12:29 I/ConsoleReporter: [190/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testHasModifiers pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testHasNoModifiers)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testHasNoModifiers, {})
-03-25 20:12:29 I/ConsoleReporter: [191/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testHasNoModifiers pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testIsAltPressed)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testIsAltPressed, {})
-03-25 20:12:29 I/ConsoleReporter: [192/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testIsAltPressed pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testIsModifierKey)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testIsModifierKey, {})
-03-25 20:12:29 I/ConsoleReporter: [193/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testIsModifierKey pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testIsPrintingKey)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testIsPrintingKey, {})
-03-25 20:12:29 I/ConsoleReporter: [194/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testIsPrintingKey pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testIsShiftPressed)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testIsShiftPressed, {})
-03-25 20:12:29 I/ConsoleReporter: [195/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testIsShiftPressed pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testIsSymPressed)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testIsSymPressed, {})
-03-25 20:12:29 I/ConsoleReporter: [196/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testIsSymPressed pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testIsSystem)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testIsSystem, {})
-03-25 20:12:29 I/ConsoleReporter: [197/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testIsSystem pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testMetaStateHasModifiers)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testMetaStateHasModifiers, {})
-03-25 20:12:29 I/ConsoleReporter: [198/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testMetaStateHasModifiers pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testMetaStateHasNoModifiers)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testMetaStateHasNoModifiers, {})
-03-25 20:12:29 I/ConsoleReporter: [199/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testMetaStateHasNoModifiers pass
-03-25 20:12:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testNormalizeMetaState)
-03-25 20:12:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testNormalizeMetaState, {})
-03-25 20:12:29 I/ConsoleReporter: [200/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testNormalizeMetaState pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testToString)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testToString, {})
-03-25 20:12:30 I/ConsoleReporter: [201/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testToString pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyEventTest#testWriteToParcel)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyEventTest#testWriteToParcel, {})
-03-25 20:12:30 I/ConsoleReporter: [202/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyEventTest#testWriteToParcel pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutGroupTest#testAddItem)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutGroupTest#testAddItem, {})
-03-25 20:12:30 I/ConsoleReporter: [203/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutGroupTest#testAddItem pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutGroupTest#testConstructor)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutGroupTest#testConstructor, {})
-03-25 20:12:30 I/ConsoleReporter: [204/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutGroupTest#testConstructor pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutGroupTest#testConstructorChecksList)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutGroupTest#testConstructorChecksList, {})
-03-25 20:12:30 I/ConsoleReporter: [205/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutGroupTest#testConstructorChecksList pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutGroupTest#testShortConstructor)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutGroupTest#testShortConstructor, {})
-03-25 20:12:30 I/ConsoleReporter: [206/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutGroupTest#testShortConstructor pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutGroupTest#testSystemConstructor)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutGroupTest#testSystemConstructor, {})
-03-25 20:12:30 I/ConsoleReporter: [207/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutGroupTest#testSystemConstructor pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutGroupTest#testSystemShortConstructor)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutGroupTest#testSystemShortConstructor, {})
-03-25 20:12:30 I/ConsoleReporter: [208/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutGroupTest#testSystemShortConstructor pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutGroupTest#testWriteToParcelAndRead)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutGroupTest#testWriteToParcelAndRead, {})
-03-25 20:12:30 I/ConsoleReporter: [209/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutGroupTest#testWriteToParcelAndRead pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutInfoTest#testCharacterConstructor)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutInfoTest#testCharacterConstructor, {})
-03-25 20:12:30 I/ConsoleReporter: [210/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutInfoTest#testCharacterConstructor pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutInfoTest#testConstructorChecksBaseCharacter)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutInfoTest#testConstructorChecksBaseCharacter, {})
-03-25 20:12:30 I/ConsoleReporter: [211/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutInfoTest#testConstructorChecksBaseCharacter pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutInfoTest#testConstructorChecksKeycode)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutInfoTest#testConstructorChecksKeycode, {})
-03-25 20:12:30 I/ConsoleReporter: [212/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutInfoTest#testConstructorChecksKeycode pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutInfoTest#testKeycodeConstructor)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutInfoTest#testKeycodeConstructor, {})
-03-25 20:12:30 I/ConsoleReporter: [213/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutInfoTest#testKeycodeConstructor pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutInfoTest#testWriteToParcelAndReadCharacter)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutInfoTest#testWriteToParcelAndReadCharacter, {})
-03-25 20:12:30 I/ConsoleReporter: [214/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutInfoTest#testWriteToParcelAndReadCharacter pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.KeyboardShortcutInfoTest#testWriteToParcelAndReadKeycode)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.KeyboardShortcutInfoTest#testWriteToParcelAndReadKeycode, {})
-03-25 20:12:30 I/ConsoleReporter: [215/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.KeyboardShortcutInfoTest#testWriteToParcelAndReadKeycode pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.LayoutInflaterTest#testAccessLayoutInflaterProperties)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.LayoutInflaterTest#testAccessLayoutInflaterProperties, {})
-03-25 20:12:30 I/ConsoleReporter: [216/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.LayoutInflaterTest#testAccessLayoutInflaterProperties pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.LayoutInflaterTest#testCreateView)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.LayoutInflaterTest#testCreateView, {})
-03-25 20:12:30 I/ConsoleReporter: [217/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.LayoutInflaterTest#testCreateView pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.LayoutInflaterTest#testFrom)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.LayoutInflaterTest#testFrom, {})
-03-25 20:12:30 I/ConsoleReporter: [218/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.LayoutInflaterTest#testFrom pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.LayoutInflaterTest#testInflate)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.LayoutInflaterTest#testInflate, {})
-03-25 20:12:30 I/ConsoleReporter: [219/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.LayoutInflaterTest#testInflate pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.LayoutInflaterTest#testInflate2)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.LayoutInflaterTest#testInflate2, {})
-03-25 20:12:30 I/ConsoleReporter: [220/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.LayoutInflaterTest#testInflate2 pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.LayoutInflaterTest#testInflate3)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.LayoutInflaterTest#testInflate3, {})
-03-25 20:12:30 I/ConsoleReporter: [221/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.LayoutInflaterTest#testInflate3 pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.LayoutInflaterTest#testInflate4)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.LayoutInflaterTest#testInflate4, {})
-03-25 20:12:30 I/ConsoleReporter: [222/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.LayoutInflaterTest#testInflate4 pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.LayoutInflaterTest#testInflateTags)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.LayoutInflaterTest#testInflateTags, {})
-03-25 20:12:30 I/ConsoleReporter: [223/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.LayoutInflaterTest#testInflateTags pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.LayoutInflaterTest#testOverrideTheme)
-03-25 20:12:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.LayoutInflaterTest#testOverrideTheme, {})
-03-25 20:12:30 I/ConsoleReporter: [224/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.LayoutInflaterTest#testOverrideTheme pass
-03-25 20:12:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.LongPressBackTest#testAppIsNotDismissed)
-03-25 20:12:32 D/ModuleListener: ModuleListener.testEnded(android.view.cts.LongPressBackTest#testAppIsNotDismissed, {})
-03-25 20:12:32 I/ConsoleReporter: [225/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.LongPressBackTest#testAppIsNotDismissed pass
-03-25 20:12:32 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MenuInflaterTest#testConstructor)
-03-25 20:12:32 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MenuInflaterTest#testConstructor, {})
-03-25 20:12:32 I/ConsoleReporter: [226/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MenuInflaterTest#testConstructor pass
-03-25 20:12:32 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MenuInflaterTest#testInflate)
-03-25 20:12:32 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MenuInflaterTest#testInflate, {})
-03-25 20:12:32 I/ConsoleReporter: [227/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MenuInflaterTest#testInflate pass
-03-25 20:12:32 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MenuInflaterTest#testInflateFromXml)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MenuInflaterTest#testInflateFromXml, {})
-03-25 20:12:33 I/ConsoleReporter: [228/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MenuInflaterTest#testInflateFromXml pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testAccessAction)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testAccessAction, {})
-03-25 20:12:33 I/ConsoleReporter: [229/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testAccessAction pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testAccessEdgeFlags)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testAccessEdgeFlags, {})
-03-25 20:12:33 I/ConsoleReporter: [230/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testAccessEdgeFlags pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testAddBatch)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testAddBatch, {})
-03-25 20:12:33 I/ConsoleReporter: [231/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testAddBatch pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testDescribeContents)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testDescribeContents, {})
-03-25 20:12:33 I/ConsoleReporter: [232/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testDescribeContents pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testGetHistoricalEventTime)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testGetHistoricalEventTime, {})
-03-25 20:12:33 I/ConsoleReporter: [233/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testGetHistoricalEventTime pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testGetHistoricalPressure)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testGetHistoricalPressure, {})
-03-25 20:12:33 I/ConsoleReporter: [234/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testGetHistoricalPressure pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testGetHistoricalSize)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testGetHistoricalSize, {})
-03-25 20:12:33 I/ConsoleReporter: [235/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testGetHistoricalSize pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testGetHistoricalX)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testGetHistoricalX, {})
-03-25 20:12:33 I/ConsoleReporter: [236/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testGetHistoricalX pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testGetHistoricalY)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testGetHistoricalY, {})
-03-25 20:12:33 I/ConsoleReporter: [237/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testGetHistoricalY pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testGetHistorySize)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testGetHistorySize, {})
-03-25 20:12:33 I/ConsoleReporter: [238/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testGetHistorySize pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testObtain1)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testObtain1, {})
-03-25 20:12:33 I/ConsoleReporter: [239/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testObtain1 pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testObtain2)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testObtain2, {})
-03-25 20:12:33 I/ConsoleReporter: [240/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testObtain2 pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testObtain3)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testObtain3, {})
-03-25 20:12:33 I/ConsoleReporter: [241/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testObtain3 pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testOffsetLocation)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testOffsetLocation, {})
-03-25 20:12:33 I/ConsoleReporter: [242/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testOffsetLocation pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testPointerCoordsCopyConstructor)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testPointerCoordsCopyConstructor, {})
-03-25 20:12:33 I/ConsoleReporter: [243/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testPointerCoordsCopyConstructor pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testPointerCoordsCopyFrom)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testPointerCoordsCopyFrom, {})
-03-25 20:12:33 I/ConsoleReporter: [244/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testPointerCoordsCopyFrom pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testPointerCoordsDefaultConstructor)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testPointerCoordsDefaultConstructor, {})
-03-25 20:12:33 I/ConsoleReporter: [245/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testPointerCoordsDefaultConstructor pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testPointerPropertiesCopyConstructor)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testPointerPropertiesCopyConstructor, {})
-03-25 20:12:33 I/ConsoleReporter: [246/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testPointerPropertiesCopyConstructor pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testPointerPropertiesCopyFrom)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testPointerPropertiesCopyFrom, {})
-03-25 20:12:33 I/ConsoleReporter: [247/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testPointerPropertiesCopyFrom pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testPointerPropertiesDefaultConstructor)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testPointerPropertiesDefaultConstructor, {})
-03-25 20:12:33 I/ConsoleReporter: [248/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testPointerPropertiesDefaultConstructor pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testReadFromParcelWithInvalidPointerCountSize)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testReadFromParcelWithInvalidPointerCountSize, {})
-03-25 20:12:33 I/ConsoleReporter: [249/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testReadFromParcelWithInvalidPointerCountSize pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testReadFromParcelWithInvalidSampleSize)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testReadFromParcelWithInvalidSampleSize, {})
-03-25 20:12:33 I/ConsoleReporter: [250/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testReadFromParcelWithInvalidSampleSize pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testRecycle)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testRecycle, {})
-03-25 20:12:33 I/ConsoleReporter: [251/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testRecycle pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testSetLocation)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testSetLocation, {})
-03-25 20:12:33 I/ConsoleReporter: [252/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testSetLocation pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testToString)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testToString, {})
-03-25 20:12:33 I/ConsoleReporter: [253/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testToString pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testTransformShouldApplyMatrixToPointsAndPreserveRawPosition)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testTransformShouldApplyMatrixToPointsAndPreserveRawPosition, {})
-03-25 20:12:33 I/ConsoleReporter: [254/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testTransformShouldApplyMatrixToPointsAndPreserveRawPosition pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testTransformShouldThrowWhenMatrixIsNull)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testTransformShouldThrowWhenMatrixIsNull, {})
-03-25 20:12:33 I/ConsoleReporter: [255/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testTransformShouldThrowWhenMatrixIsNull pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.MotionEventTest#testWriteToParcel)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.MotionEventTest#testWriteToParcel, {})
-03-25 20:12:33 I/ConsoleReporter: [256/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.MotionEventTest#testWriteToParcel pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.NumberPickerTest#testSetDisplayedValues1)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.NumberPickerTest#testSetDisplayedValues1, {})
-03-25 20:12:33 I/ConsoleReporter: [257/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.NumberPickerTest#testSetDisplayedValues1 pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.NumberPickerTest#testSetDisplayedValues2)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.NumberPickerTest#testSetDisplayedValues2, {})
-03-25 20:12:33 I/ConsoleReporter: [258/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.NumberPickerTest#testSetDisplayedValues2 pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.OrientationEventListenerTest#testCanDetectOrientation)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.OrientationEventListenerTest#testCanDetectOrientation, {})
-03-25 20:12:33 I/ConsoleReporter: [259/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.OrientationEventListenerTest#testCanDetectOrientation pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.OrientationEventListenerTest#testConstructor)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.OrientationEventListenerTest#testConstructor, {})
-03-25 20:12:33 I/ConsoleReporter: [260/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.OrientationEventListenerTest#testConstructor pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.OrientationEventListenerTest#testEnableAndDisable)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.OrientationEventListenerTest#testEnableAndDisable, {})
-03-25 20:12:33 I/ConsoleReporter: [261/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.OrientationEventListenerTest#testEnableAndDisable pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.OrientationListenerTest#testConstructor)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.OrientationListenerTest#testConstructor, {})
-03-25 20:12:33 I/ConsoleReporter: [262/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.OrientationListenerTest#testConstructor pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.OrientationListenerTest#testOnAccuracyChanged)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.OrientationListenerTest#testOnAccuracyChanged, {})
-03-25 20:12:33 I/ConsoleReporter: [263/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.OrientationListenerTest#testOnAccuracyChanged pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.OrientationListenerTest#testOnOrientationChanged)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.OrientationListenerTest#testOnOrientationChanged, {})
-03-25 20:12:33 I/ConsoleReporter: [264/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.OrientationListenerTest#testOnOrientationChanged pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.OrientationListenerTest#testOnSensorChanged)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.OrientationListenerTest#testOnSensorChanged, {})
-03-25 20:12:33 I/ConsoleReporter: [265/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.OrientationListenerTest#testOnSensorChanged pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.OrientationListenerTest#testRegisterationOfOrientationListener)
-03-25 20:12:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.OrientationListenerTest#testRegisterationOfOrientationListener, {})
-03-25 20:12:33 I/ConsoleReporter: [266/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.OrientationListenerTest#testRegisterationOfOrientationListener pass
-03-25 20:12:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.PixelCopyTests#testNotLeaking)
-03-25 20:12:42 D/ModuleListener: ModuleListener.testEnded(android.view.cts.PixelCopyTests#testNotLeaking, {})
-03-25 20:12:42 I/ConsoleReporter: [267/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.PixelCopyTests#testNotLeaking pass
-03-25 20:12:42 D/ModuleListener: ModuleListener.testStarted(android.view.cts.PixelCopyTests#testVideoProducer)
-03-25 20:12:43 D/ModuleListener: ModuleListener.testEnded(android.view.cts.PixelCopyTests#testVideoProducer, {})
-03-25 20:12:43 I/ConsoleReporter: [268/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.PixelCopyTests#testVideoProducer pass
-03-25 20:12:43 D/ModuleListener: ModuleListener.testStarted(android.view.cts.PixelCopyTests#testErrors)
-03-25 20:12:43 D/ModuleListener: ModuleListener.testEnded(android.view.cts.PixelCopyTests#testErrors, {})
-03-25 20:12:43 I/ConsoleReporter: [269/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.PixelCopyTests#testErrors pass
-03-25 20:12:43 D/ModuleListener: ModuleListener.testStarted(android.view.cts.PixelCopyTests#testGlProducer)
-03-25 20:12:43 D/ModuleListener: ModuleListener.testEnded(android.view.cts.PixelCopyTests#testGlProducer, {})
-03-25 20:12:43 I/ConsoleReporter: [270/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.PixelCopyTests#testGlProducer pass
-03-25 20:12:43 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ScaleGestureDetectorTest#testAccessStylusScaleEnabled)
-03-25 20:12:44 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ScaleGestureDetectorTest#testAccessStylusScaleEnabled, {})
-03-25 20:12:44 I/ConsoleReporter: [271/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ScaleGestureDetectorTest#testAccessStylusScaleEnabled pass
-03-25 20:12:44 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ScaleGestureDetectorTest#testConstructor)
-03-25 20:12:44 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ScaleGestureDetectorTest#testConstructor, {})
-03-25 20:12:44 I/ConsoleReporter: [272/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ScaleGestureDetectorTest#testConstructor pass
-03-25 20:12:44 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SearchEventTest#testTest)
-03-25 20:12:44 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SearchEventTest#testTest, {})
-03-25 20:12:44 I/ConsoleReporter: [273/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SearchEventTest#testTest pass
-03-25 20:12:44 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SoundEffectConstantsTest#testgetContantForFocusDirection)
-03-25 20:12:44 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SoundEffectConstantsTest#testgetContantForFocusDirection, {})
-03-25 20:12:44 I/ConsoleReporter: [274/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SoundEffectConstantsTest#testgetContantForFocusDirection pass
-03-25 20:12:44 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceHolder_BadSurfaceTypeExceptionTest#testBadSurfaceTypeException)
-03-25 20:12:44 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceHolder_BadSurfaceTypeExceptionTest#testBadSurfaceTypeException, {})
-03-25 20:12:44 I/ConsoleReporter: [275/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceHolder_BadSurfaceTypeExceptionTest#testBadSurfaceTypeException pass
-03-25 20:12:44 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewSyncTests#testEmptySurfaceView)
-03-25 20:13:04 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewSyncTests#testEmptySurfaceView, {})
-03-25 20:13:04 I/ConsoleReporter: [276/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewSyncTests#testEmptySurfaceView pass
-03-25 20:13:04 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewSyncTests#testSmallRect)
-03-25 20:13:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewSyncTests#testSmallRect, {})
-03-25 20:13:22 I/ConsoleReporter: [277/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewSyncTests#testSmallRect pass
-03-25 20:13:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewCornerCoverage)
-03-25 20:13:41 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewCornerCoverage, {})
-03-25 20:13:41 I/ConsoleReporter: [278/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewCornerCoverage pass
-03-25 20:13:41 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewTranslate)
-03-25 20:13:59 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewTranslate, {})
-03-25 20:13:59 I/ConsoleReporter: [279/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewTranslate pass
-03-25 20:14:00 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewSyncTests#testSurfaceViewBigScale)
-03-25 20:14:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewSyncTests#testSurfaceViewBigScale, {})
-03-25 20:14:18 I/ConsoleReporter: [280/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewSyncTests#testSurfaceViewBigScale pass
-03-25 20:14:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewRotated)
-03-25 20:14:36 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewRotated, {})
-03-25 20:14:36 I/ConsoleReporter: [281/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewRotated pass
-03-25 20:14:36 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewEdgeCoverage)
-03-25 20:14:55 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewEdgeCoverage, {})
-03-25 20:14:55 I/ConsoleReporter: [282/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewSyncTests#testVideoSurfaceViewEdgeCoverage pass
-03-25 20:14:55 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewSyncTests#testSurfaceViewSmallScale)
-03-25 20:15:13 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewSyncTests#testSurfaceViewSmallScale, {})
-03-25 20:15:13 I/ConsoleReporter: [283/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewSyncTests#testSurfaceViewSmallScale pass
-03-25 20:15:13 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewTest#testConstructor)
-03-25 20:15:15 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewTest#testConstructor, {})
-03-25 20:15:15 I/ConsoleReporter: [284/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewTest#testConstructor pass
-03-25 20:15:15 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewTest#testOnDetachedFromWindow)
-03-25 20:15:15 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewTest#testOnDetachedFromWindow, {})
-03-25 20:15:15 I/ConsoleReporter: [285/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewTest#testOnDetachedFromWindow pass
-03-25 20:15:15 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewTest#testOnScrollChanged)
-03-25 20:15:15 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewTest#testOnScrollChanged, {})
-03-25 20:15:15 I/ConsoleReporter: [286/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewTest#testOnScrollChanged pass
-03-25 20:15:15 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewTest#testOnSizeChanged)
-03-25 20:15:16 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewTest#testOnSizeChanged, {})
-03-25 20:15:16 I/ConsoleReporter: [287/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewTest#testOnSizeChanged pass
-03-25 20:15:16 D/ModuleListener: ModuleListener.testStarted(android.view.cts.SurfaceViewTest#testSurfaceView)
-03-25 20:15:16 D/ModuleListener: ModuleListener.testEnded(android.view.cts.SurfaceViewTest#testSurfaceView, {})
-03-25 20:15:16 I/ConsoleReporter: [288/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.SurfaceViewTest#testSurfaceView pass
-03-25 20:15:16 D/ModuleListener: ModuleListener.testStarted(android.view.cts.Surface_OutOfResourcesExceptionTest#testConstructor)
-03-25 20:15:16 D/ModuleListener: ModuleListener.testEnded(android.view.cts.Surface_OutOfResourcesExceptionTest#testConstructor, {})
-03-25 20:15:16 I/ConsoleReporter: [289/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.Surface_OutOfResourcesExceptionTest#testConstructor pass
-03-25 20:15:16 D/ModuleListener: ModuleListener.testStarted(android.view.cts.TextureViewTest#testFirstFrames)
-03-25 20:15:17 D/ModuleListener: ModuleListener.testEnded(android.view.cts.TextureViewTest#testFirstFrames, {})
-03-25 20:15:17 I/ConsoleReporter: [290/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.TextureViewTest#testFirstFrames pass
-03-25 20:15:17 D/ModuleListener: ModuleListener.testStarted(android.view.cts.TouchDelegateTest#testOnTouchEvent)
-03-25 20:15:17 D/ModuleListener: ModuleListener.testEnded(android.view.cts.TouchDelegateTest#testOnTouchEvent, {})
-03-25 20:15:17 I/ConsoleReporter: [291/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.TouchDelegateTest#testOnTouchEvent pass
-03-25 20:15:17 D/ModuleListener: ModuleListener.testStarted(android.view.cts.VelocityTrackerTest#testAcceleratingMovement)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.VelocityTrackerTest#testAcceleratingMovement, {})
-03-25 20:15:18 I/ConsoleReporter: [292/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.VelocityTrackerTest#testAcceleratingMovement pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.VelocityTrackerTest#testChangingAcceleration)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.VelocityTrackerTest#testChangingAcceleration, {})
-03-25 20:15:18 I/ConsoleReporter: [293/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.VelocityTrackerTest#testChangingAcceleration pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.VelocityTrackerTest#testDeceleratingMovement)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.VelocityTrackerTest#testDeceleratingMovement, {})
-03-25 20:15:18 I/ConsoleReporter: [294/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.VelocityTrackerTest#testDeceleratingMovement pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.VelocityTrackerTest#testLinearMovement)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.VelocityTrackerTest#testLinearMovement, {})
-03-25 20:15:18 I/ConsoleReporter: [295/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.VelocityTrackerTest#testLinearMovement pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.VelocityTrackerTest#testLinearSharpDirectionChange)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.VelocityTrackerTest#testLinearSharpDirectionChange, {})
-03-25 20:15:18 I/ConsoleReporter: [296/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.VelocityTrackerTest#testLinearSharpDirectionChange pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.VelocityTrackerTest#testLinearSharpDirectionChangeAfterALongPause)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.VelocityTrackerTest#testLinearSharpDirectionChangeAfterALongPause, {})
-03-25 20:15:18 I/ConsoleReporter: [297/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.VelocityTrackerTest#testLinearSharpDirectionChangeAfterALongPause pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.VelocityTrackerTest#testNoMovement)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.VelocityTrackerTest#testNoMovement, {})
-03-25 20:15:18 I/ConsoleReporter: [298/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.VelocityTrackerTest#testNoMovement pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewConfigurationTest#testConstructor)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewConfigurationTest#testConstructor, {})
-03-25 20:15:18 I/ConsoleReporter: [299/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewConfigurationTest#testConstructor pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewConfigurationTest#testInstanceValues)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewConfigurationTest#testInstanceValues, {})
-03-25 20:15:18 I/ConsoleReporter: [300/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewConfigurationTest#testInstanceValues pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewConfigurationTest#testStaticValues)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewConfigurationTest#testStaticValues, {})
-03-25 20:15:18 I/ConsoleReporter: [301/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewConfigurationTest#testStaticValues pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewDebugTest#testConstructor)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewDebugTest#testConstructor, {})
-03-25 20:15:18 I/ConsoleReporter: [302/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewDebugTest#testConstructor pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewDebugTest#testHierarchyTracing)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewDebugTest#testHierarchyTracing, {})
-03-25 20:15:18 I/ConsoleReporter: [303/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewDebugTest#testHierarchyTracing pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewDebugTest#testRecyclerTracing)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewDebugTest#testRecyclerTracing, {})
-03-25 20:15:18 I/ConsoleReporter: [304/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewDebugTest#testRecyclerTracing pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupOverlayTest#testAddNullView)
-03-25 20:15:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupOverlayTest#testAddNullView, {})
-03-25 20:15:18 I/ConsoleReporter: [305/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupOverlayTest#testAddNullView pass
-03-25 20:15:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupOverlayTest#testBasics)
-03-25 20:15:19 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupOverlayTest#testBasics, {})
-03-25 20:15:19 I/ConsoleReporter: [306/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupOverlayTest#testBasics pass
-03-25 20:15:19 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupOverlayTest#testOverlayReparenting)
-03-25 20:15:19 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupOverlayTest#testOverlayReparenting, {})
-03-25 20:15:19 I/ConsoleReporter: [307/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupOverlayTest#testOverlayReparenting pass
-03-25 20:15:19 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupOverlayTest#testOverlayViewNoClicks)
-03-25 20:15:20 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupOverlayTest#testOverlayViewNoClicks, {})
-03-25 20:15:20 I/ConsoleReporter: [308/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupOverlayTest#testOverlayViewNoClicks pass
-03-25 20:15:20 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupOverlayTest#testOverlayWithNonOverlappingViewAndDrawable)
-03-25 20:15:20 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupOverlayTest#testOverlayWithNonOverlappingViewAndDrawable, {})
-03-25 20:15:20 I/ConsoleReporter: [309/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupOverlayTest#testOverlayWithNonOverlappingViewAndDrawable pass
-03-25 20:15:20 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupOverlayTest#testOverlayWithNonOverlappingViews)
-03-25 20:15:20 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupOverlayTest#testOverlayWithNonOverlappingViews, {})
-03-25 20:15:20 I/ConsoleReporter: [310/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupOverlayTest#testOverlayWithNonOverlappingViews pass
-03-25 20:15:20 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupOverlayTest#testOverlayWithOneView)
-03-25 20:15:21 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupOverlayTest#testOverlayWithOneView, {})
-03-25 20:15:21 I/ConsoleReporter: [311/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupOverlayTest#testOverlayWithOneView pass
-03-25 20:15:21 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupOverlayTest#testOverlayWithOverlappingViewAndDrawable)
-03-25 20:15:21 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupOverlayTest#testOverlayWithOverlappingViewAndDrawable, {})
-03-25 20:15:21 I/ConsoleReporter: [312/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupOverlayTest#testOverlayWithOverlappingViewAndDrawable pass
-03-25 20:15:21 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupOverlayTest#testOverlayWithOverlappingViews)
-03-25 20:15:21 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupOverlayTest#testOverlayWithOverlappingViews, {})
-03-25 20:15:21 I/ConsoleReporter: [313/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupOverlayTest#testOverlayWithOverlappingViews pass
-03-25 20:15:21 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupOverlayTest#testRemoveNullView)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupOverlayTest#testRemoveNullView, {})
-03-25 20:15:22 I/ConsoleReporter: [314/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupOverlayTest#testRemoveNullView pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAddFocusables)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAddFocusables, {})
-03-25 20:15:22 I/ConsoleReporter: [315/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAddFocusables pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAddStatesFromChildren)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAddStatesFromChildren, {})
-03-25 20:15:22 I/ConsoleReporter: [316/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAddStatesFromChildren pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAddTouchables)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAddTouchables, {})
-03-25 20:15:22 I/ConsoleReporter: [317/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAddTouchables pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAddView)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAddView, {})
-03-25 20:15:22 I/ConsoleReporter: [318/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAddView pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAddViewInLayout)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAddViewInLayout, {})
-03-25 20:15:22 I/ConsoleReporter: [319/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAddViewInLayout pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAddViewInLayoutWithParamViewIntLayB)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAddViewInLayoutWithParamViewIntLayB, {})
-03-25 20:15:22 I/ConsoleReporter: [320/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAddViewInLayoutWithParamViewIntLayB pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAddViewWidthParaViewIntLayoutParam)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAddViewWidthParaViewIntLayoutParam, {})
-03-25 20:15:22 I/ConsoleReporter: [321/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAddViewWidthParaViewIntLayoutParam pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAddViewWithParaViewInt)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAddViewWithParaViewInt, {})
-03-25 20:15:22 I/ConsoleReporter: [322/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAddViewWithParaViewInt pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAddViewWithParaViewIntInt)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAddViewWithParaViewIntInt, {})
-03-25 20:15:22 I/ConsoleReporter: [323/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAddViewWithParaViewIntInt pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAddViewWithParaViewLayoutPara)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAddViewWithParaViewLayoutPara, {})
-03-25 20:15:22 I/ConsoleReporter: [324/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAddViewWithParaViewLayoutPara pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAttachLayoutAnimationParameters)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAttachLayoutAnimationParameters, {})
-03-25 20:15:22 I/ConsoleReporter: [325/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAttachLayoutAnimationParameters pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testAttachViewToParent)
-03-25 20:15:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testAttachViewToParent, {})
-03-25 20:15:22 I/ConsoleReporter: [326/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testAttachViewToParent pass
-03-25 20:15:22 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testBringChildToFront)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testBringChildToFront, {})
-03-25 20:15:23 I/ConsoleReporter: [327/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testBringChildToFront pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testCanAnimate)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testCanAnimate, {})
-03-25 20:15:23 I/ConsoleReporter: [328/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testCanAnimate pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testCheckLayoutParams)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testCheckLayoutParams, {})
-03-25 20:15:23 I/ConsoleReporter: [329/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testCheckLayoutParams pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testChildDrawableStateChanged)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testChildDrawableStateChanged, {})
-03-25 20:15:23 I/ConsoleReporter: [330/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testChildDrawableStateChanged pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testCleanupLayoutState)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testCleanupLayoutState, {})
-03-25 20:15:23 I/ConsoleReporter: [331/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testCleanupLayoutState pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testClearChildFocus)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testClearChildFocus, {})
-03-25 20:15:23 I/ConsoleReporter: [332/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testClearChildFocus pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testClearDisappearingChildren)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testClearDisappearingChildren, {})
-03-25 20:15:23 I/ConsoleReporter: [333/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testClearDisappearingChildren pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testClearFocus)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testClearFocus, {})
-03-25 20:15:23 I/ConsoleReporter: [334/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testClearFocus pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testConstructor)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testConstructor, {})
-03-25 20:15:23 I/ConsoleReporter: [335/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testConstructor pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDebug)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDebug, {})
-03-25 20:15:23 I/ConsoleReporter: [336/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDebug pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDetachAllViewsFromParent)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDetachAllViewsFromParent, {})
-03-25 20:15:23 I/ConsoleReporter: [337/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDetachAllViewsFromParent pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDetachViewFromParent)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDetachViewFromParent, {})
-03-25 20:15:23 I/ConsoleReporter: [338/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDetachViewFromParent pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDetachViewFromParentWithParamView)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDetachViewFromParentWithParamView, {})
-03-25 20:15:23 I/ConsoleReporter: [339/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDetachViewFromParentWithParamView pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDetachViewsFromParent)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDetachViewsFromParent, {})
-03-25 20:15:23 I/ConsoleReporter: [340/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDetachViewsFromParent pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchDraw)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchDraw, {})
-03-25 20:15:23 I/ConsoleReporter: [341/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchDraw pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchFreezeSelfOnly)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchFreezeSelfOnly, {})
-03-25 20:15:23 I/ConsoleReporter: [342/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchFreezeSelfOnly pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchKeyEvent)
-03-25 20:15:23 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchKeyEvent, {})
-03-25 20:15:23 I/ConsoleReporter: [343/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchKeyEvent pass
-03-25 20:15:23 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchKeyEventPreIme)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchKeyEventPreIme, {})
-03-25 20:15:24 I/ConsoleReporter: [344/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchKeyEventPreIme pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchSaveInstanceState)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchSaveInstanceState, {})
-03-25 20:15:24 I/ConsoleReporter: [345/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchSaveInstanceState pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchSetPressed)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchSetPressed, {})
-03-25 20:15:24 I/ConsoleReporter: [346/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchSetPressed pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchSetSelected)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchSetSelected, {})
-03-25 20:15:24 I/ConsoleReporter: [347/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchSetSelected pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchThawSelfOnly)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchThawSelfOnly, {})
-03-25 20:15:24 I/ConsoleReporter: [348/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchThawSelfOnly pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchTouchEvent)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchTouchEvent, {})
-03-25 20:15:24 I/ConsoleReporter: [349/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchTouchEvent pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchTrackballEvent)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchTrackballEvent, {})
-03-25 20:15:24 I/ConsoleReporter: [350/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchTrackballEvent pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchUnhandledMove)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchUnhandledMove, {})
-03-25 20:15:24 I/ConsoleReporter: [351/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchUnhandledMove pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchWindowFocusChanged)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchWindowFocusChanged, {})
-03-25 20:15:24 I/ConsoleReporter: [352/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchWindowFocusChanged pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDispatchWindowVisibilityChanged)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDispatchWindowVisibilityChanged, {})
-03-25 20:15:24 I/ConsoleReporter: [353/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDispatchWindowVisibilityChanged pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDrawChild)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDrawChild, {})
-03-25 20:15:24 I/ConsoleReporter: [354/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDrawChild pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testDrawableStateChanged)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testDrawableStateChanged, {})
-03-25 20:15:24 I/ConsoleReporter: [355/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testDrawableStateChanged pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testFindFocus)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testFindFocus, {})
-03-25 20:15:24 I/ConsoleReporter: [356/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testFindFocus pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testFitSystemWindows)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testFitSystemWindows, {})
-03-25 20:15:24 I/ConsoleReporter: [357/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testFitSystemWindows pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testFocusSearch)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testFocusSearch, {})
-03-25 20:15:24 I/ConsoleReporter: [358/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testFocusSearch pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testFocusableViewAvailable)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testFocusableViewAvailable, {})
-03-25 20:15:24 I/ConsoleReporter: [359/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testFocusableViewAvailable pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGatherTransparentRegion)
-03-25 20:15:24 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGatherTransparentRegion, {})
-03-25 20:15:24 I/ConsoleReporter: [360/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGatherTransparentRegion pass
-03-25 20:15:24 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGenerateDefaultLayoutParams)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGenerateDefaultLayoutParams, {})
-03-25 20:15:25 I/ConsoleReporter: [361/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGenerateDefaultLayoutParams pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGenerateLayoutParams)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGenerateLayoutParams, {})
-03-25 20:15:25 I/ConsoleReporter: [362/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGenerateLayoutParams pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGenerateLayoutParamsWithParaAttributeSet)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGenerateLayoutParamsWithParaAttributeSet, {})
-03-25 20:15:25 I/ConsoleReporter: [363/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGenerateLayoutParamsWithParaAttributeSet pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGetChildDrawingOrder)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGetChildDrawingOrder, {})
-03-25 20:15:25 I/ConsoleReporter: [364/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGetChildDrawingOrder pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGetChildMeasureSpec)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGetChildMeasureSpec, {})
-03-25 20:15:25 I/ConsoleReporter: [365/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGetChildMeasureSpec pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGetChildStaticTransformation)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGetChildStaticTransformation, {})
-03-25 20:15:25 I/ConsoleReporter: [366/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGetChildStaticTransformation pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGetChildVisibleRect)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGetChildVisibleRect, {})
-03-25 20:15:25 I/ConsoleReporter: [367/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGetChildVisibleRect pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGetDescendantFocusability)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGetDescendantFocusability, {})
-03-25 20:15:25 I/ConsoleReporter: [368/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGetDescendantFocusability pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGetLayoutAnimation)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGetLayoutAnimation, {})
-03-25 20:15:25 I/ConsoleReporter: [369/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGetLayoutAnimation pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGetLayoutAnimationListener)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGetLayoutAnimationListener, {})
-03-25 20:15:25 I/ConsoleReporter: [370/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGetLayoutAnimationListener pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testGetPersistentDrawingCache)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testGetPersistentDrawingCache, {})
-03-25 20:15:25 I/ConsoleReporter: [371/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testGetPersistentDrawingCache pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testHasFocus)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testHasFocus, {})
-03-25 20:15:25 I/ConsoleReporter: [372/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testHasFocus pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testHasFocusable)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testHasFocusable, {})
-03-25 20:15:25 I/ConsoleReporter: [373/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testHasFocusable pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testIndexOfChild)
-03-25 20:15:25 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testIndexOfChild, {})
-03-25 20:15:25 I/ConsoleReporter: [374/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testIndexOfChild pass
-03-25 20:15:25 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testInvalidateChild)
-03-25 20:15:27 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testInvalidateChild, {})
-03-25 20:15:27 I/ConsoleReporter: [375/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testInvalidateChild pass
-03-25 20:15:27 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testIsAlwaysDrawnWithCacheEnabled)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testIsAlwaysDrawnWithCacheEnabled, {})
-03-25 20:15:28 I/ConsoleReporter: [376/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testIsAlwaysDrawnWithCacheEnabled pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testIsAnimationCacheEnabled)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testIsAnimationCacheEnabled, {})
-03-25 20:15:28 I/ConsoleReporter: [377/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testIsAnimationCacheEnabled pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testIsChildrenDrawnWithCacheEnabled)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testIsChildrenDrawnWithCacheEnabled, {})
-03-25 20:15:28 I/ConsoleReporter: [378/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testIsChildrenDrawnWithCacheEnabled pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testMeasureChild)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testMeasureChild, {})
-03-25 20:15:28 I/ConsoleReporter: [379/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testMeasureChild pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testMeasureChildWithMargins)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testMeasureChildWithMargins, {})
-03-25 20:15:28 I/ConsoleReporter: [380/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testMeasureChildWithMargins pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testMeasureChildren)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testMeasureChildren, {})
-03-25 20:15:28 I/ConsoleReporter: [381/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testMeasureChildren pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testOffsetDescendantRectToMyCoords)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testOffsetDescendantRectToMyCoords, {})
-03-25 20:15:28 I/ConsoleReporter: [382/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testOffsetDescendantRectToMyCoords pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testOffsetRectIntoDescendantCoords)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testOffsetRectIntoDescendantCoords, {})
-03-25 20:15:28 I/ConsoleReporter: [383/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testOffsetRectIntoDescendantCoords pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testOnAnimationEnd)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testOnAnimationEnd, {})
-03-25 20:15:28 I/ConsoleReporter: [384/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testOnAnimationEnd pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testOnAnimationStart)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testOnAnimationStart, {})
-03-25 20:15:28 I/ConsoleReporter: [385/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testOnAnimationStart pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testOnCreateDrawableState)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testOnCreateDrawableState, {})
-03-25 20:15:28 I/ConsoleReporter: [386/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testOnCreateDrawableState pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testOnInterceptTouchEvent)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testOnInterceptTouchEvent, {})
-03-25 20:15:28 I/ConsoleReporter: [387/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testOnInterceptTouchEvent pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testOnLayout)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testOnLayout, {})
-03-25 20:15:28 I/ConsoleReporter: [388/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testOnLayout pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testOnRequestFocusInDescendants)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testOnRequestFocusInDescendants, {})
-03-25 20:15:28 I/ConsoleReporter: [389/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testOnRequestFocusInDescendants pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRemoveAllViews)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRemoveAllViews, {})
-03-25 20:15:28 I/ConsoleReporter: [390/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRemoveAllViews pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRemoveAllViewsInLayout)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRemoveAllViewsInLayout, {})
-03-25 20:15:28 I/ConsoleReporter: [391/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRemoveAllViewsInLayout pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRemoveDetachedView)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRemoveDetachedView, {})
-03-25 20:15:28 I/ConsoleReporter: [392/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRemoveDetachedView pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRemoveView)
-03-25 20:15:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRemoveView, {})
-03-25 20:15:28 I/ConsoleReporter: [393/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRemoveView pass
-03-25 20:15:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRemoveViewAt)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRemoveViewAt, {})
-03-25 20:15:29 I/ConsoleReporter: [394/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRemoveViewAt pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRemoveViewInLayout)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRemoveViewInLayout, {})
-03-25 20:15:29 I/ConsoleReporter: [395/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRemoveViewInLayout pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRemoveViews)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRemoveViews, {})
-03-25 20:15:29 I/ConsoleReporter: [396/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRemoveViews pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRemoveViewsInLayout)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRemoveViewsInLayout, {})
-03-25 20:15:29 I/ConsoleReporter: [397/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRemoveViewsInLayout pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRequestChildFocus)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRequestChildFocus, {})
-03-25 20:15:29 I/ConsoleReporter: [398/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRequestChildFocus pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRequestChildRectangleOnScreen)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRequestChildRectangleOnScreen, {})
-03-25 20:15:29 I/ConsoleReporter: [399/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRequestChildRectangleOnScreen pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRequestDisallowInterceptTouchEvent)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRequestDisallowInterceptTouchEvent, {})
-03-25 20:15:29 I/ConsoleReporter: [400/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRequestDisallowInterceptTouchEvent pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRequestFocus)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRequestFocus, {})
-03-25 20:15:29 I/ConsoleReporter: [401/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRequestFocus pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testRequestTransparentRegion)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testRequestTransparentRegion, {})
-03-25 20:15:29 I/ConsoleReporter: [402/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testRequestTransparentRegion pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testResetRtlProperties)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testResetRtlProperties, {})
-03-25 20:15:29 I/ConsoleReporter: [403/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testResetRtlProperties pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testScheduleLayoutAnimation)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testScheduleLayoutAnimation, {})
-03-25 20:15:29 I/ConsoleReporter: [404/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testScheduleLayoutAnimation pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testSetAddStatesFromChildren)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testSetAddStatesFromChildren, {})
-03-25 20:15:29 I/ConsoleReporter: [405/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testSetAddStatesFromChildren pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testSetChildrenDrawingCacheEnabled)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testSetChildrenDrawingCacheEnabled, {})
-03-25 20:15:29 I/ConsoleReporter: [406/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testSetChildrenDrawingCacheEnabled pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testSetChildrenDrawnWithCacheEnabled)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testSetChildrenDrawnWithCacheEnabled, {})
-03-25 20:15:29 I/ConsoleReporter: [407/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testSetChildrenDrawnWithCacheEnabled pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testSetClipChildren)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testSetClipChildren, {})
-03-25 20:15:29 I/ConsoleReporter: [408/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testSetClipChildren pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testSetClipToPadding)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testSetClipToPadding, {})
-03-25 20:15:29 I/ConsoleReporter: [409/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testSetClipToPadding pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testSetDescendantFocusability)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testSetDescendantFocusability, {})
-03-25 20:15:29 I/ConsoleReporter: [410/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testSetDescendantFocusability pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testSetOnHierarchyChangeListener)
-03-25 20:15:29 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testSetOnHierarchyChangeListener, {})
-03-25 20:15:29 I/ConsoleReporter: [411/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testSetOnHierarchyChangeListener pass
-03-25 20:15:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testSetPadding)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testSetPadding, {})
-03-25 20:15:30 I/ConsoleReporter: [412/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testSetPadding pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testSetPaddingRelative)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testSetPaddingRelative, {})
-03-25 20:15:30 I/ConsoleReporter: [413/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testSetPaddingRelative pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testSetPersistentDrawingCache)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testSetPersistentDrawingCache, {})
-03-25 20:15:30 I/ConsoleReporter: [414/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testSetPersistentDrawingCache pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testShowContextMenuForChild)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testShowContextMenuForChild, {})
-03-25 20:15:30 I/ConsoleReporter: [415/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testShowContextMenuForChild pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testShowContextMenuForChild_WithXYCoords)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testShowContextMenuForChild_WithXYCoords, {})
-03-25 20:15:30 I/ConsoleReporter: [416/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testShowContextMenuForChild_WithXYCoords pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testStartActionModeForChildIgnoresSubclassModeOnFloating)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testStartActionModeForChildIgnoresSubclassModeOnFloating, {})
-03-25 20:15:30 I/ConsoleReporter: [417/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testStartActionModeForChildIgnoresSubclassModeOnFloating pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testStartActionModeForChildRespectsSubclassModeOnPrimary)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testStartActionModeForChildRespectsSubclassModeOnPrimary, {})
-03-25 20:15:30 I/ConsoleReporter: [418/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testStartActionModeForChildRespectsSubclassModeOnPrimary pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testStartActionModeForChildTypedBubblesUpToParent)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testStartActionModeForChildTypedBubblesUpToParent, {})
-03-25 20:15:30 I/ConsoleReporter: [419/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testStartActionModeForChildTypedBubblesUpToParent pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testStartActionModeForChildTypelessBubblesUpToParent)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testStartActionModeForChildTypelessBubblesUpToParent, {})
-03-25 20:15:30 I/ConsoleReporter: [420/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testStartActionModeForChildTypelessBubblesUpToParent pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testStartLayoutAnimation)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testStartLayoutAnimation, {})
-03-25 20:15:30 I/ConsoleReporter: [421/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testStartLayoutAnimation pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testTemporaryDetach)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testTemporaryDetach, {})
-03-25 20:15:30 I/ConsoleReporter: [422/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testTemporaryDetach pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroupTest#testUpdateViewLayout)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroupTest#testUpdateViewLayout, {})
-03-25 20:15:30 I/ConsoleReporter: [423/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroupTest#testUpdateViewLayout pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroup_LayoutParamsTest#testConstructor)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroup_LayoutParamsTest#testConstructor, {})
-03-25 20:15:30 I/ConsoleReporter: [424/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroup_LayoutParamsTest#testConstructor pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroup_LayoutParamsTest#testSetBaseAttributes)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroup_LayoutParamsTest#testSetBaseAttributes, {})
-03-25 20:15:30 I/ConsoleReporter: [425/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroup_LayoutParamsTest#testSetBaseAttributes pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroup_MarginLayoutParamsTest#testConstructor)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroup_MarginLayoutParamsTest#testConstructor, {})
-03-25 20:15:30 I/ConsoleReporter: [426/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroup_MarginLayoutParamsTest#testConstructor pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroup_MarginLayoutParamsTest#testResolveMarginsExplicit)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroup_MarginLayoutParamsTest#testResolveMarginsExplicit, {})
-03-25 20:15:30 I/ConsoleReporter: [427/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroup_MarginLayoutParamsTest#testResolveMarginsExplicit pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroup_MarginLayoutParamsTest#testResolveMarginsRelative)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroup_MarginLayoutParamsTest#testResolveMarginsRelative, {})
-03-25 20:15:30 I/ConsoleReporter: [428/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroup_MarginLayoutParamsTest#testResolveMarginsRelative pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroup_MarginLayoutParamsTest#testSetMargins)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroup_MarginLayoutParamsTest#testSetMargins, {})
-03-25 20:15:30 I/ConsoleReporter: [429/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroup_MarginLayoutParamsTest#testSetMargins pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewGroup_MarginLayoutParamsTest#testSetMarginsRelative)
-03-25 20:15:30 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewGroup_MarginLayoutParamsTest#testSetMarginsRelative, {})
-03-25 20:15:30 I/ConsoleReporter: [430/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewGroup_MarginLayoutParamsTest#testSetMarginsRelative pass
-03-25 20:15:30 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewOverlayTest#testAddNullDrawable)
-03-25 20:15:31 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewOverlayTest#testAddNullDrawable, {})
-03-25 20:15:31 I/ConsoleReporter: [431/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewOverlayTest#testAddNullDrawable pass
-03-25 20:15:31 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewOverlayTest#testAddTheSameDrawableTwice)
-03-25 20:15:31 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewOverlayTest#testAddTheSameDrawableTwice, {})
-03-25 20:15:31 I/ConsoleReporter: [432/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewOverlayTest#testAddTheSameDrawableTwice pass
-03-25 20:15:31 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewOverlayTest#testBasics)
-03-25 20:15:31 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewOverlayTest#testBasics, {})
-03-25 20:15:31 I/ConsoleReporter: [433/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewOverlayTest#testBasics pass
-03-25 20:15:31 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewOverlayTest#testOverlayDynamicChangesToDrawable)
-03-25 20:15:32 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewOverlayTest#testOverlayDynamicChangesToDrawable, {})
-03-25 20:15:32 I/ConsoleReporter: [434/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewOverlayTest#testOverlayDynamicChangesToDrawable pass
-03-25 20:15:32 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewOverlayTest#testOverlayDynamicChangesToOverlappingDrawables)
-03-25 20:15:32 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewOverlayTest#testOverlayDynamicChangesToOverlappingDrawables, {})
-03-25 20:15:32 I/ConsoleReporter: [435/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewOverlayTest#testOverlayDynamicChangesToOverlappingDrawables pass
-03-25 20:15:32 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewOverlayTest#testOverlayWithNonOverlappingDrawables)
-03-25 20:15:32 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewOverlayTest#testOverlayWithNonOverlappingDrawables, {})
-03-25 20:15:32 I/ConsoleReporter: [436/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewOverlayTest#testOverlayWithNonOverlappingDrawables pass
-03-25 20:15:32 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewOverlayTest#testOverlayWithOneDrawable)
-03-25 20:15:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewOverlayTest#testOverlayWithOneDrawable, {})
-03-25 20:15:33 I/ConsoleReporter: [437/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewOverlayTest#testOverlayWithOneDrawable pass
-03-25 20:15:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewOverlayTest#testOverlayWithOverlappingDrawables)
-03-25 20:15:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewOverlayTest#testOverlayWithOverlappingDrawables, {})
-03-25 20:15:33 I/ConsoleReporter: [438/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewOverlayTest#testOverlayWithOverlappingDrawables pass
-03-25 20:15:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewOverlayTest#testRemoveNullDrawable)
-03-25 20:15:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewOverlayTest#testRemoveNullDrawable, {})
-03-25 20:15:33 I/ConsoleReporter: [439/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewOverlayTest#testRemoveNullDrawable pass
-03-25 20:15:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewOverlayTest#testRemoveTheSameDrawableTwice)
-03-25 20:15:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewOverlayTest#testRemoveTheSameDrawableTwice, {})
-03-25 20:15:33 I/ConsoleReporter: [440/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewOverlayTest#testRemoveTheSameDrawableTwice pass
-03-25 20:15:33 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewStubTest#testAccessInflatedId)
-03-25 20:15:34 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewStubTest#testAccessInflatedId, {})
-03-25 20:15:34 I/ConsoleReporter: [441/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewStubTest#testAccessInflatedId pass
-03-25 20:15:34 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewStubTest#testAccessLayoutResource)
-03-25 20:15:34 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewStubTest#testAccessLayoutResource, {})
-03-25 20:15:34 I/ConsoleReporter: [442/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewStubTest#testAccessLayoutResource pass
-03-25 20:15:34 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewStubTest#testConstructor)
-03-25 20:15:34 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewStubTest#testConstructor, {})
-03-25 20:15:34 I/ConsoleReporter: [443/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewStubTest#testConstructor pass
-03-25 20:15:34 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewStubTest#testDraw)
-03-25 20:15:34 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewStubTest#testDraw, {})
-03-25 20:15:34 I/ConsoleReporter: [444/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewStubTest#testDraw pass
-03-25 20:15:34 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewStubTest#testInflate)
-03-25 20:15:35 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewStubTest#testInflate, {})
-03-25 20:15:35 I/ConsoleReporter: [445/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewStubTest#testInflate pass
-03-25 20:15:35 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewStubTest#testInflateError)
-03-25 20:15:35 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewStubTest#testInflateError, {})
-03-25 20:15:35 I/ConsoleReporter: [446/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewStubTest#testInflateError pass
-03-25 20:15:35 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewStubTest#testSetOnInflateListener)
-03-25 20:15:35 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewStubTest#testSetOnInflateListener, {})
-03-25 20:15:35 I/ConsoleReporter: [447/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewStubTest#testSetOnInflateListener pass
-03-25 20:15:35 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewStubTest#testSetOnInflateListenerError)
-03-25 20:15:36 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewStubTest#testSetOnInflateListenerError, {})
-03-25 20:15:36 I/ConsoleReporter: [448/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewStubTest#testSetOnInflateListenerError pass
-03-25 20:15:36 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewStubTest#testSetVisibility)
-03-25 20:15:36 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewStubTest#testSetVisibility, {})
-03-25 20:15:36 I/ConsoleReporter: [449/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewStubTest#testSetVisibility pass
-03-25 20:15:36 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewStubTest#testViewStubHasNoDimensions)
-03-25 20:15:36 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewStubTest#testViewStubHasNoDimensions, {})
-03-25 20:15:36 I/ConsoleReporter: [450/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewStubTest#testViewStubHasNoDimensions pass
-03-25 20:15:36 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewStubTest#testActivityTestCaseSetUpProperly)
-03-25 20:15:37 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewStubTest#testActivityTestCaseSetUpProperly, {})
-03-25 20:15:37 I/ConsoleReporter: [451/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewStubTest#testActivityTestCaseSetUpProperly pass
-03-25 20:15:37 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessBackground)
-03-25 20:15:37 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessBackground, {})
-03-25 20:15:37 I/ConsoleReporter: [452/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessBackground pass
-03-25 20:15:37 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessClickable)
-03-25 20:15:37 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessClickable, {})
-03-25 20:15:37 I/ConsoleReporter: [453/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessClickable pass
-03-25 20:15:37 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessContextClickable)
-03-25 20:15:37 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessContextClickable, {})
-03-25 20:15:37 I/ConsoleReporter: [454/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessContextClickable pass
-03-25 20:15:37 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessDrawingCacheBackgroundColor)
-03-25 20:15:38 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessDrawingCacheBackgroundColor, {})
-03-25 20:15:38 I/ConsoleReporter: [455/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessDrawingCacheBackgroundColor pass
-03-25 20:15:38 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessDrawingCacheEnabled)
-03-25 20:15:38 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessDrawingCacheEnabled, {})
-03-25 20:15:38 I/ConsoleReporter: [456/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessDrawingCacheEnabled pass
-03-25 20:15:38 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessDrawingCacheQuality)
-03-25 20:15:38 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessDrawingCacheQuality, {})
-03-25 20:15:38 I/ConsoleReporter: [457/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessDrawingCacheQuality pass
-03-25 20:15:38 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessDuplicateParentStateEnabled)
-03-25 20:15:39 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessDuplicateParentStateEnabled, {})
-03-25 20:15:39 I/ConsoleReporter: [458/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessDuplicateParentStateEnabled pass
-03-25 20:15:39 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessEnabled)
-03-25 20:15:39 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessEnabled, {})
-03-25 20:15:39 I/ConsoleReporter: [459/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessEnabled pass
-03-25 20:15:39 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessId)
-03-25 20:15:39 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessId, {})
-03-25 20:15:39 I/ConsoleReporter: [460/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessId pass
-03-25 20:15:39 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessKeepScreenOn)
-03-25 20:15:40 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessKeepScreenOn, {})
-03-25 20:15:40 I/ConsoleReporter: [461/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessKeepScreenOn pass
-03-25 20:15:40 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessLayoutParams)
-03-25 20:15:40 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessLayoutParams, {})
-03-25 20:15:40 I/ConsoleReporter: [462/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessLayoutParams pass
-03-25 20:15:40 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessLongClickable)
-03-25 20:15:40 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessLongClickable, {})
-03-25 20:15:40 I/ConsoleReporter: [463/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessLongClickable pass
-03-25 20:15:40 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessMeasuredDimension)
-03-25 20:15:41 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessMeasuredDimension, {})
-03-25 20:15:41 I/ConsoleReporter: [464/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessMeasuredDimension pass
-03-25 20:15:41 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessNextFocusDownId)
-03-25 20:15:41 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessNextFocusDownId, {})
-03-25 20:15:41 I/ConsoleReporter: [465/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessNextFocusDownId pass
-03-25 20:15:41 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessNextFocusLeftId)
-03-25 20:15:41 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessNextFocusLeftId, {})
-03-25 20:15:41 I/ConsoleReporter: [466/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessNextFocusLeftId pass
-03-25 20:15:41 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessNextFocusRightId)
-03-25 20:15:42 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessNextFocusRightId, {})
-03-25 20:15:42 I/ConsoleReporter: [467/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessNextFocusRightId pass
-03-25 20:15:42 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessNextFocusUpId)
-03-25 20:15:42 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessNextFocusUpId, {})
-03-25 20:15:42 I/ConsoleReporter: [468/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessNextFocusUpId pass
-03-25 20:15:42 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessOnFocusChangeListener)
-03-25 20:15:42 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessOnFocusChangeListener, {})
-03-25 20:15:42 I/ConsoleReporter: [469/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessOnFocusChangeListener pass
-03-25 20:15:42 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessPointerIcon)
-03-25 20:15:43 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessPointerIcon, {})
-03-25 20:15:43 I/ConsoleReporter: [470/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessPointerIcon pass
-03-25 20:15:43 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessPressed)
-03-25 20:15:43 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessPressed, {})
-03-25 20:15:43 I/ConsoleReporter: [471/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessPressed pass
-03-25 20:15:43 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessSaveEnabled)
-03-25 20:15:43 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessSaveEnabled, {})
-03-25 20:15:43 I/ConsoleReporter: [472/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessSaveEnabled pass
-03-25 20:15:43 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessScrollIndicators)
-03-25 20:15:43 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessScrollIndicators, {})
-03-25 20:15:43 I/ConsoleReporter: [473/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessScrollIndicators pass
-03-25 20:15:43 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessSelected)
-03-25 20:15:44 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessSelected, {})
-03-25 20:15:44 I/ConsoleReporter: [474/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessSelected pass
-03-25 20:15:44 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessSoundEffectsEnabled)
-03-25 20:15:44 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessSoundEffectsEnabled, {})
-03-25 20:15:44 I/ConsoleReporter: [475/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessSoundEffectsEnabled pass
-03-25 20:15:44 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessTag)
-03-25 20:15:45 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessTag, {})
-03-25 20:15:45 I/ConsoleReporter: [476/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessTag pass
-03-25 20:15:45 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessTouchDelegate)
-03-25 20:15:46 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessTouchDelegate, {})
-03-25 20:15:46 I/ConsoleReporter: [477/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessTouchDelegate pass
-03-25 20:15:46 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessWillNotCacheDrawing)
-03-25 20:15:46 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessWillNotCacheDrawing, {})
-03-25 20:15:46 I/ConsoleReporter: [478/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessWillNotCacheDrawing pass
-03-25 20:15:46 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAccessWillNotDraw)
-03-25 20:15:47 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAccessWillNotDraw, {})
-03-25 20:15:47 I/ConsoleReporter: [479/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAccessWillNotDraw pass
-03-25 20:15:47 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAddFocusables)
-03-25 20:15:47 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAddFocusables, {})
-03-25 20:15:47 I/ConsoleReporter: [480/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAddFocusables pass
-03-25 20:15:47 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAddFocusablesInTouchMode)
-03-25 20:15:52 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAddFocusablesInTouchMode, {})
-03-25 20:15:52 I/ConsoleReporter: [481/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAddFocusablesInTouchMode pass
-03-25 20:15:52 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAddFocusablesWithoutTouchMode)
-03-25 20:15:52 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAddFocusablesWithoutTouchMode, {})
-03-25 20:15:52 I/ConsoleReporter: [482/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAddFocusablesWithoutTouchMode pass
-03-25 20:15:52 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAddRemoveAffectsWrapContentLayout)
-03-25 20:15:53 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAddRemoveAffectsWrapContentLayout, {})
-03-25 20:15:53 I/ConsoleReporter: [483/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAddRemoveAffectsWrapContentLayout pass
-03-25 20:15:53 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testAddTouchables)
-03-25 20:15:53 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testAddTouchables, {})
-03-25 20:15:53 I/ConsoleReporter: [484/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testAddTouchables pass
-03-25 20:15:53 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testBackgroundTint)
-03-25 20:15:53 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testBackgroundTint, {})
-03-25 20:15:53 I/ConsoleReporter: [485/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testBackgroundTint pass
-03-25 20:15:53 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testBringToFront)
-03-25 20:15:54 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testBringToFront, {})
-03-25 20:15:54 I/ConsoleReporter: [486/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testBringToFront pass
-03-25 20:15:54 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testBuildAndDestroyDrawingCache)
-03-25 20:15:54 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testBuildAndDestroyDrawingCache, {})
-03-25 20:15:54 I/ConsoleReporter: [487/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testBuildAndDestroyDrawingCache pass
-03-25 20:15:54 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testCancelLongPress)
-03-25 20:15:54 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testCancelLongPress, {})
-03-25 20:15:54 I/ConsoleReporter: [488/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testCancelLongPress pass
-03-25 20:15:54 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testClearAnimation)
-03-25 20:15:55 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testClearAnimation, {})
-03-25 20:15:55 I/ConsoleReporter: [489/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testClearAnimation pass
-03-25 20:15:55 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testComputeHorizontalScroll)
-03-25 20:15:55 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testComputeHorizontalScroll, {})
-03-25 20:15:55 I/ConsoleReporter: [490/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testComputeHorizontalScroll pass
-03-25 20:15:55 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testComputeVerticalScroll)
-03-25 20:15:55 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testComputeVerticalScroll, {})
-03-25 20:15:55 I/ConsoleReporter: [491/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testComputeVerticalScroll pass
-03-25 20:15:55 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testConstructor)
-03-25 20:15:56 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testConstructor, {})
-03-25 20:15:56 I/ConsoleReporter: [492/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testConstructor pass
-03-25 20:15:56 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testConstructor2)
-03-25 20:15:57 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testConstructor2, {})
-03-25 20:15:57 I/ConsoleReporter: [493/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testConstructor2 pass
-03-25 20:15:57 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testCreateContextMenu)
-03-25 20:15:57 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testCreateContextMenu, {})
-03-25 20:15:57 I/ConsoleReporter: [494/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testCreateContextMenu pass
-03-25 20:15:57 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testCreatePointerIcons)
-03-25 20:15:57 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testCreatePointerIcons, {})
-03-25 20:15:57 I/ConsoleReporter: [495/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testCreatePointerIcons pass
-03-25 20:15:57 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testDispatchKeyEvent)
-03-25 20:15:58 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testDispatchKeyEvent, {})
-03-25 20:15:58 I/ConsoleReporter: [496/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testDispatchKeyEvent pass
-03-25 20:15:58 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testDispatchKeyShortcutEvent)
-03-25 20:15:58 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testDispatchKeyShortcutEvent, {})
-03-25 20:15:58 I/ConsoleReporter: [497/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testDispatchKeyShortcutEvent pass
-03-25 20:15:58 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testDispatchSetPressed)
-03-25 20:15:58 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testDispatchSetPressed, {})
-03-25 20:15:58 I/ConsoleReporter: [498/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testDispatchSetPressed pass
-03-25 20:15:58 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testDispatchSetSelected)
-03-25 20:15:59 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testDispatchSetSelected, {})
-03-25 20:15:59 I/ConsoleReporter: [499/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testDispatchSetSelected pass
-03-25 20:15:59 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testDispatchTouchEvent)
-03-25 20:15:59 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testDispatchTouchEvent, {})
-03-25 20:15:59 I/ConsoleReporter: [500/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testDispatchTouchEvent pass
-03-25 20:15:59 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testDispatchTrackballMoveEvent)
-03-25 20:15:59 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testDispatchTrackballMoveEvent, {})
-03-25 20:15:59 I/ConsoleReporter: [501/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testDispatchTrackballMoveEvent pass
-03-25 20:15:59 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testDispatchUnhandledMove)
-03-25 20:16:00 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testDispatchUnhandledMove, {})
-03-25 20:16:00 I/ConsoleReporter: [502/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testDispatchUnhandledMove pass
-03-25 20:16:00 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testDraw)
-03-25 20:16:00 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testDraw, {})
-03-25 20:16:00 I/ConsoleReporter: [503/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testDraw pass
-03-25 20:16:00 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testDrawableState)
-03-25 20:16:00 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testDrawableState, {})
-03-25 20:16:00 I/ConsoleReporter: [504/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testDrawableState pass
-03-25 20:16:00 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testFilterTouchesWhenObscured)
-03-25 20:16:01 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testFilterTouchesWhenObscured, {})
-03-25 20:16:01 I/ConsoleReporter: [505/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testFilterTouchesWhenObscured pass
-03-25 20:16:01 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testFindViewById)
-03-25 20:16:01 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testFindViewById, {})
-03-25 20:16:01 I/ConsoleReporter: [506/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testFindViewById pass
-03-25 20:16:01 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testFitSystemWindows)
-03-25 20:16:01 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testFitSystemWindows, {})
-03-25 20:16:01 I/ConsoleReporter: [507/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testFitSystemWindows pass
-03-25 20:16:01 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testForceLayout)
-03-25 20:16:02 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testForceLayout, {})
-03-25 20:16:02 I/ConsoleReporter: [508/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testForceLayout pass
-03-25 20:16:02 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetAnimation)
-03-25 20:16:02 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetAnimation, {})
-03-25 20:16:02 I/ConsoleReporter: [509/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetAnimation pass
-03-25 20:16:02 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetApplicationWindowToken)
-03-25 20:16:02 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetApplicationWindowToken, {})
-03-25 20:16:02 I/ConsoleReporter: [510/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetApplicationWindowToken pass
-03-25 20:16:02 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetBaseline)
-03-25 20:16:03 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetBaseline, {})
-03-25 20:16:03 I/ConsoleReporter: [511/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetBaseline pass
-03-25 20:16:03 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetBottomFadingEdgeStrength)
-03-25 20:16:03 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetBottomFadingEdgeStrength, {})
-03-25 20:16:03 I/ConsoleReporter: [512/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetBottomFadingEdgeStrength pass
-03-25 20:16:03 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetBottomPaddingOffset)
-03-25 20:16:03 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetBottomPaddingOffset, {})
-03-25 20:16:03 I/ConsoleReporter: [513/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetBottomPaddingOffset pass
-03-25 20:16:03 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetContext)
-03-25 20:16:04 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetContext, {})
-03-25 20:16:04 I/ConsoleReporter: [514/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetContext pass
-03-25 20:16:04 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetContextMenuInfo)
-03-25 20:16:04 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetContextMenuInfo, {})
-03-25 20:16:04 I/ConsoleReporter: [515/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetContextMenuInfo pass
-03-25 20:16:04 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetDefaultSize)
-03-25 20:16:04 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetDefaultSize, {})
-03-25 20:16:04 I/ConsoleReporter: [516/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetDefaultSize pass
-03-25 20:16:04 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetDrawingCache)
-03-25 20:16:05 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetDrawingCache, {})
-03-25 20:16:05 I/ConsoleReporter: [517/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetDrawingCache pass
-03-25 20:16:05 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetDrawingRect)
-03-25 20:16:05 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetDrawingRect, {})
-03-25 20:16:05 I/ConsoleReporter: [518/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetDrawingRect pass
-03-25 20:16:05 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetDrawingTime)
-03-25 20:16:05 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetDrawingTime, {})
-03-25 20:16:05 I/ConsoleReporter: [519/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetDrawingTime pass
-03-25 20:16:05 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetFadingEdgeStrength)
-03-25 20:16:06 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetFadingEdgeStrength, {})
-03-25 20:16:06 I/ConsoleReporter: [520/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetFadingEdgeStrength pass
-03-25 20:16:06 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetFocusables)
-03-25 20:16:06 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetFocusables, {})
-03-25 20:16:06 I/ConsoleReporter: [521/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetFocusables pass
-03-25 20:16:06 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetFocusedRect)
-03-25 20:16:06 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetFocusedRect, {})
-03-25 20:16:06 I/ConsoleReporter: [522/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetFocusedRect pass
-03-25 20:16:06 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetGlobalVisibleRect)
-03-25 20:16:07 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetGlobalVisibleRect, {})
-03-25 20:16:07 I/ConsoleReporter: [523/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetGlobalVisibleRect pass
-03-25 20:16:07 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetGlobalVisibleRectPoint)
-03-25 20:16:07 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetGlobalVisibleRectPoint, {})
-03-25 20:16:07 I/ConsoleReporter: [524/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetGlobalVisibleRectPoint pass
-03-25 20:16:07 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetHandler)
-03-25 20:16:07 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetHandler, {})
-03-25 20:16:07 I/ConsoleReporter: [525/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetHandler pass
-03-25 20:16:07 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetHitRect)
-03-25 20:16:08 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetHitRect, {})
-03-25 20:16:08 I/ConsoleReporter: [526/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetHitRect pass
-03-25 20:16:08 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetLeftFadingEdgeStrength)
-03-25 20:16:08 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetLeftFadingEdgeStrength, {})
-03-25 20:16:08 I/ConsoleReporter: [527/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetLeftFadingEdgeStrength pass
-03-25 20:16:08 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetLeftPaddingOffset)
-03-25 20:16:08 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetLeftPaddingOffset, {})
-03-25 20:16:08 I/ConsoleReporter: [528/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetLeftPaddingOffset pass
-03-25 20:16:08 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetLocalVisibleRect)
-03-25 20:16:09 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetLocalVisibleRect, {})
-03-25 20:16:09 I/ConsoleReporter: [529/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetLocalVisibleRect pass
-03-25 20:16:09 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetLocationInWindow)
-03-25 20:16:09 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetLocationInWindow, {})
-03-25 20:16:09 I/ConsoleReporter: [530/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetLocationInWindow pass
-03-25 20:16:09 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetLocationOnScreen)
-03-25 20:16:09 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetLocationOnScreen, {})
-03-25 20:16:09 I/ConsoleReporter: [531/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetLocationOnScreen pass
-03-25 20:16:09 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetParent)
-03-25 20:16:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetParent, {})
-03-25 20:16:10 I/ConsoleReporter: [532/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetParent pass
-03-25 20:16:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetResources)
-03-25 20:16:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetResources, {})
-03-25 20:16:10 I/ConsoleReporter: [533/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetResources pass
-03-25 20:16:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetRightFadingEdgeStrength)
-03-25 20:16:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetRightFadingEdgeStrength, {})
-03-25 20:16:10 I/ConsoleReporter: [534/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetRightFadingEdgeStrength pass
-03-25 20:16:10 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetRightPaddingOffset)
-03-25 20:16:10 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetRightPaddingOffset, {})
-03-25 20:16:10 I/ConsoleReporter: [535/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetRightPaddingOffset pass
-03-25 20:16:11 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetRootView)
-03-25 20:16:11 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetRootView, {})
-03-25 20:16:11 I/ConsoleReporter: [536/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetRootView pass
-03-25 20:16:11 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetSolidColor)
-03-25 20:16:11 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetSolidColor, {})
-03-25 20:16:11 I/ConsoleReporter: [537/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetSolidColor pass
-03-25 20:16:11 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetSuggestedMinimumHeight)
-03-25 20:16:12 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetSuggestedMinimumHeight, {})
-03-25 20:16:12 I/ConsoleReporter: [538/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetSuggestedMinimumHeight pass
-03-25 20:16:12 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetSuggestedMinimumWidth)
-03-25 20:16:12 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetSuggestedMinimumWidth, {})
-03-25 20:16:12 I/ConsoleReporter: [539/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetSuggestedMinimumWidth pass
-03-25 20:16:12 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetTopFadingEdgeStrength)
-03-25 20:16:12 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetTopFadingEdgeStrength, {})
-03-25 20:16:12 I/ConsoleReporter: [540/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetTopFadingEdgeStrength pass
-03-25 20:16:12 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetTopPaddingOffset)
-03-25 20:16:12 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetTopPaddingOffset, {})
-03-25 20:16:12 I/ConsoleReporter: [541/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetTopPaddingOffset pass
-03-25 20:16:12 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetTouchables)
-03-25 20:16:13 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetTouchables, {})
-03-25 20:16:13 I/ConsoleReporter: [542/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetTouchables pass
-03-25 20:16:13 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetViewTreeObserver)
-03-25 20:16:13 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetViewTreeObserver, {})
-03-25 20:16:13 I/ConsoleReporter: [543/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetViewTreeObserver pass
-03-25 20:16:13 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetWindowAttachCount)
-03-25 20:16:13 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetWindowAttachCount, {})
-03-25 20:16:13 I/ConsoleReporter: [544/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetWindowAttachCount pass
-03-25 20:16:13 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetWindowToken)
-03-25 20:16:14 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetWindowToken, {})
-03-25 20:16:14 I/ConsoleReporter: [545/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetWindowToken pass
-03-25 20:16:14 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetWindowVisibility)
-03-25 20:16:14 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetWindowVisibility, {})
-03-25 20:16:14 I/ConsoleReporter: [546/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetWindowVisibility pass
-03-25 20:16:14 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testGetWindowVisibleDisplayFrame)
-03-25 20:16:14 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testGetWindowVisibleDisplayFrame, {})
-03-25 20:16:14 I/ConsoleReporter: [547/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testGetWindowVisibleDisplayFrame pass
-03-25 20:16:15 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testHapticFeedback)
-03-25 20:16:15 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testHapticFeedback, {})
-03-25 20:16:15 I/ConsoleReporter: [548/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testHapticFeedback pass
-03-25 20:16:15 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testHasWindowFocus)
-03-25 20:16:16 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testHasWindowFocus, {})
-03-25 20:16:16 I/ConsoleReporter: [549/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testHasWindowFocus pass
-03-25 20:16:17 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testInflate)
-03-25 20:16:17 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testInflate, {})
-03-25 20:16:17 I/ConsoleReporter: [550/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testInflate pass
-03-25 20:16:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testInitializeScrollbarsAndFadingEdge)
-03-25 20:16:18 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testInitializeScrollbarsAndFadingEdge, {})
-03-25 20:16:18 I/ConsoleReporter: [551/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testInitializeScrollbarsAndFadingEdge pass
-03-25 20:16:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testInputConnection)
-03-25 20:16:27 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testInputConnection, {})
-03-25 20:16:27 I/ConsoleReporter: [552/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testInputConnection pass
-03-25 20:16:28 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testInvalidate1)
-03-25 20:16:36 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testInvalidate1, {})
-03-25 20:16:36 I/ConsoleReporter: [553/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testInvalidate1 pass
-03-25 20:16:36 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testInvalidate2)
-03-25 20:16:44 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testInvalidate2, {})
-03-25 20:16:44 I/ConsoleReporter: [554/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testInvalidate2 pass
-03-25 20:16:44 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testInvalidate3)
-03-25 20:16:57 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testInvalidate3, {})
-03-25 20:16:57 I/ConsoleReporter: [555/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testInvalidate3 pass
-03-25 20:16:57 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testInvalidateDrawable)
-03-25 20:17:08 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testInvalidateDrawable, {})
-03-25 20:17:08 I/ConsoleReporter: [556/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testInvalidateDrawable pass
-03-25 20:17:08 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testIsInEditMode)
-03-25 20:17:20 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testIsInEditMode, {})
-03-25 20:17:20 I/ConsoleReporter: [557/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testIsInEditMode pass
-03-25 20:17:21 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testIsInTouchMode)
-03-25 20:17:28 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testIsInTouchMode, {})
-03-25 20:17:28 I/ConsoleReporter: [558/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testIsInTouchMode pass
-03-25 20:17:29 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testIsLayoutRequested)
-03-25 20:17:40 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testIsLayoutRequested, {})
-03-25 20:17:40 I/ConsoleReporter: [559/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testIsLayoutRequested pass
-03-25 20:17:40 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testIsPaddingOffsetRequired)
-03-25 20:17:42 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testIsPaddingOffsetRequired, {})
-03-25 20:17:42 I/ConsoleReporter: [560/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testIsPaddingOffsetRequired pass
-03-25 20:17:43 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testIsShown)
-03-25 20:17:49 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testIsShown, {})
-03-25 20:17:49 I/ConsoleReporter: [561/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testIsShown pass
-03-25 20:17:51 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testKeyPreIme)
-03-25 20:18:04 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testKeyPreIme, {})
-03-25 20:18:04 I/ConsoleReporter: [562/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testKeyPreIme pass
-03-25 20:18:06 D/ModuleListener: ModuleListener.testStarted(android.view.cts.ViewTest#testLayout)
-03-25 20:18:06 I/InstrumentationResultParser: test run failed: 'Instrumentation run failed due to 'Process crashed.''
-03-25 20:18:06 D/ModuleListener: ModuleListener.testFailed(android.view.cts.ViewTest#testLayout, Test failed to run to completion. Reason: 'Instrumentation run failed due to 'Process crashed.''. Check device logcat for details)
-03-25 20:18:06 I/ConsoleReporter: [563/739 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.ViewTest#testLayout fail: Test failed to run to completion. Reason: 'Instrumentation run failed due to 'Process crashed.''. Check device logcat for details
-03-25 20:18:06 I/FailureListener: FailureListener.testFailed android.view.cts.ViewTest#testLayout false true false
-03-25 20:18:08 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42 with prefix "android.view.cts.ViewTest#testLayout-logcat_" suffix ".zip"
-03-25 20:18:08 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42/android.view.cts.ViewTest#testLayout-logcat_489210378084255319.zip
-03-25 20:18:08 I/ResultReporter: Saved logs for android.view.cts.ViewTest#testLayout-logcat in /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42/android.view.cts.ViewTest#testLayout-logcat_489210378084255319.zip
-03-25 20:18:08 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_1220617565712510638 with prefix "android.view.cts.ViewTest#testLayout-logcat_" suffix ".zip"
-03-25 20:18:08 D/RunUtil: Running command with timeout: 10000ms
-03-25 20:18:08 D/RunUtil: Running [chmod]
-03-25 20:18:08 D/RunUtil: [chmod] command failed. return code 1
-03-25 20:18:08 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_1220617565712510638/android.view.cts.ViewTest#testLayout-logcat_5727489684495212159.zip to ug+rwx
-03-25 20:18:08 D/RunUtil: Running command with timeout: 10000ms
-03-25 20:18:08 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_1220617565712510638/android.view.cts.ViewTest#testLayout-logcat_5727489684495212159.zip]
-03-25 20:18:08 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_1220617565712510638/android.view.cts.ViewTest#testLayout-logcat_5727489684495212159.zip
-03-25 20:18:08 D/ModuleListener: ModuleListener.testEnded(android.view.cts.ViewTest#testLayout, {})
-03-25 20:18:08 D/ModuleListener: ModuleListener.testRunFailed(Instrumentation run failed due to 'Process crashed.')
-03-25 20:18:08 I/ConsoleReporter: [chromeos2-row4-rack8-host12:22] Instrumentation run failed due to 'Process crashed.'
-03-25 20:18:08 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-03-25 20:18:08 I/ConsoleReporter: [chromeos2-row4-rack8-host12:22] armeabi-v7a CtsViewTestCases failed in 0 ms. 561 passed, 2 failed, 176 not executed
-03-25 20:18:08 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack8-host12:22 is already ONLINE
-03-25 20:18:08 I/AndroidNativeDeviceStateMonitor: Waiting 4999 ms for device chromeos2-row4-rack8-host12:22 boot complete
-03-25 20:18:08 I/DeviceStateMonitor: Waiting 4860 ms for device chromeos2-row4-rack8-host12:22 package manager
-03-25 20:18:11 I/AndroidNativeDeviceStateMonitor: Waiting 2197 ms for device chromeos2-row4-rack8-host12:22 external store
-03-25 20:18:11 I/InstrumentationTest: Running individual tests using a test file
-03-25 20:18:11 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1616711718638448466.txt was successfully created
-03-25 20:18:11 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1616711718638448466.txt was successfully pushed to /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1616711718638448466.txt on device
-03-25 20:18:11 I/RemoteAndroidTest: Running am instrument -w -r   -e testFile /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1616711718638448466.txt -e timeout_msec 300000 android.view.cts/android.support.test.runner.AndroidJUnitRunner on google-chromebook_11_model_3180-chromeos2-row4-rack8-host12:22
-03-25 20:18:18 D/ModuleListener: ModuleListener.testRunStarted(android.view.cts, 176)
-03-25 20:18:18 I/ConsoleReporter: [chromeos2-row4-rack8-host12:22] Continuing armeabi-v7a CtsViewTestCases with 176 tests
-03-25 20:18:18 D/ModuleListener: ModuleListener.testStarted(android.view.cts.View_IdsTest#testIds)
-03-25 20:18:33 D/ModuleListener: ModuleListener.testEnded(android.view.cts.View_IdsTest#testIds, {})
-03-25 20:18:33 I/ConsoleReporter: [1/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.View_IdsTest#testIds pass
-03-25 20:18:34 D/ModuleListener: ModuleListener.testStarted(android.view.cts.WindowManager_LayoutParamsTest#testAccessTitle)
-03-25 20:18:35 D/ModuleListener: ModuleListener.testEnded(android.view.cts.WindowManager_LayoutParamsTest#testAccessTitle, {})
-03-25 20:18:35 I/ConsoleReporter: [2/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.WindowManager_LayoutParamsTest#testAccessTitle pass
-03-25 20:18:35 D/ModuleListener: ModuleListener.testStarted(android.view.cts.WindowManager_LayoutParamsTest#testConstructor)
-03-25 20:18:35 D/ModuleListener: ModuleListener.testEnded(android.view.cts.WindowManager_LayoutParamsTest#testConstructor, {})
-03-25 20:18:35 I/ConsoleReporter: [3/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.WindowManager_LayoutParamsTest#testConstructor pass
-03-25 20:18:35 D/ModuleListener: ModuleListener.testStarted(android.view.cts.WindowManager_LayoutParamsTest#testCopyFrom)
-03-25 20:18:35 D/ModuleListener: ModuleListener.testEnded(android.view.cts.WindowManager_LayoutParamsTest#testCopyFrom, {})
-03-25 20:18:35 I/ConsoleReporter: [4/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.WindowManager_LayoutParamsTest#testCopyFrom pass
-03-25 20:18:35 D/ModuleListener: ModuleListener.testStarted(android.view.cts.WindowManager_LayoutParamsTest#testDebug)
-03-25 20:18:35 D/ModuleListener: ModuleListener.testEnded(android.view.cts.WindowManager_LayoutParamsTest#testDebug, {})
-03-25 20:18:35 I/ConsoleReporter: [5/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.WindowManager_LayoutParamsTest#testDebug pass
-03-25 20:18:35 D/ModuleListener: ModuleListener.testStarted(android.view.cts.WindowManager_LayoutParamsTest#testDescribeContents)
-03-25 20:18:35 D/ModuleListener: ModuleListener.testEnded(android.view.cts.WindowManager_LayoutParamsTest#testDescribeContents, {})
-03-25 20:18:35 I/ConsoleReporter: [6/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.WindowManager_LayoutParamsTest#testDescribeContents pass
-03-25 20:18:35 D/ModuleListener: ModuleListener.testStarted(android.view.cts.WindowManager_LayoutParamsTest#testToString)
-03-25 20:18:35 D/ModuleListener: ModuleListener.testEnded(android.view.cts.WindowManager_LayoutParamsTest#testToString, {})
-03-25 20:18:35 I/ConsoleReporter: [7/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.WindowManager_LayoutParamsTest#testToString pass
-03-25 20:18:36 D/ModuleListener: ModuleListener.testStarted(android.view.cts.WindowManager_LayoutParamsTest#testWriteToParcel)
-03-25 20:18:36 D/ModuleListener: ModuleListener.testEnded(android.view.cts.WindowManager_LayoutParamsTest#testWriteToParcel, {})
-03-25 20:18:36 I/ConsoleReporter: [8/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.WindowManager_LayoutParamsTest#testWriteToParcel pass
-03-25 20:18:37 D/ModuleListener: ModuleListener.testStarted(android.view.inputmethod.cts.KeyboardTest#testKeyOnPressedAndReleased)
-03-25 20:18:39 D/ModuleListener: ModuleListener.testEnded(android.view.inputmethod.cts.KeyboardTest#testKeyOnPressedAndReleased, {})
-03-25 20:18:39 I/ConsoleReporter: [9/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.inputmethod.cts.KeyboardTest#testKeyOnPressedAndReleased pass
-03-25 20:18:40 D/ModuleListener: ModuleListener.testStarted(android.view.inputmethod.cts.InputBindingTest#testInputBinding)
-03-25 20:18:41 D/ModuleListener: ModuleListener.testEnded(android.view.inputmethod.cts.InputBindingTest#testInputBinding, {})
-03-25 20:18:41 I/ConsoleReporter: [10/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.inputmethod.cts.InputBindingTest#testInputBinding pass
-03-25 20:18:42 D/ModuleListener: ModuleListener.testStarted(android.view.cts.View_AnimationTest#testAnimation)
-03-25 20:19:02 D/ModuleListener: ModuleListener.testEnded(android.view.cts.View_AnimationTest#testAnimation, {})
-03-25 20:19:02 I/ConsoleReporter: [11/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.View_AnimationTest#testAnimation pass
-03-25 20:19:05 D/ModuleListener: ModuleListener.testStarted(android.view.cts.View_AnimationTest#testClearBeforeAnimation)
-03-25 20:19:38 D/ModuleListener: ModuleListener.testEnded(android.view.cts.View_AnimationTest#testClearBeforeAnimation, {})
-03-25 20:19:38 I/ConsoleReporter: [12/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.View_AnimationTest#testClearBeforeAnimation pass
-03-25 20:19:41 D/ModuleListener: ModuleListener.testStarted(android.view.cts.View_AnimationTest#testClearDuringAnimation)
-03-25 20:20:20 I/InstrumentationResultParser: test run failed: 'Instrumentation run failed due to 'Process crashed.''
-03-25 20:20:20 D/ModuleListener: ModuleListener.testFailed(android.view.cts.View_AnimationTest#testClearDuringAnimation, Test failed to run to completion. Reason: 'Instrumentation run failed due to 'Process crashed.''. Check device logcat for details)
-03-25 20:20:20 I/ConsoleReporter: [13/176 armeabi-v7a CtsViewTestCases chromeos2-row4-rack8-host12:22] android.view.cts.View_AnimationTest#testClearDuringAnimation fail: Test failed to run to completion. Reason: 'Instrumentation run failed due to 'Process crashed.''. Check device logcat for details
-03-25 20:20:20 I/FailureListener: FailureListener.testFailed android.view.cts.View_AnimationTest#testClearDuringAnimation false true false
-03-25 20:20:22 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42 with prefix "android.view.cts.View_AnimationTest#testClearDuringAnimation-logcat_" suffix ".zip"
-03-25 20:20:22 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42/android.view.cts.View_AnimationTest#testClearDuringAnimation-logcat_7296319342390079755.zip
-03-25 20:20:22 I/ResultReporter: Saved logs for android.view.cts.View_AnimationTest#testClearDuringAnimation-logcat in /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42/android.view.cts.View_AnimationTest#testClearDuringAnimation-logcat_7296319342390079755.zip
-03-25 20:20:22 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_1220617565712510638 with prefix "android.view.cts.View_AnimationTest#testClearDuringAnimation-logcat_" suffix ".zip"
-03-25 20:20:22 D/RunUtil: Running command with timeout: 10000ms
-03-25 20:20:22 D/RunUtil: Running [chmod]
-03-25 20:20:22 D/RunUtil: [chmod] command failed. return code 1
-03-25 20:20:22 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_1220617565712510638/android.view.cts.View_AnimationTest#testClearDuringAnimation-logcat_2369672980062270917.zip to ug+rwx
-03-25 20:20:22 D/RunUtil: Running command with timeout: 10000ms
-03-25 20:20:22 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_1220617565712510638/android.view.cts.View_AnimationTest#testClearDuringAnimation-logcat_2369672980062270917.zip]
-03-25 20:20:22 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_1220617565712510638/android.view.cts.View_AnimationTest#testClearDuringAnimation-logcat_2369672980062270917.zip
-03-25 20:20:22 D/ModuleListener: ModuleListener.testEnded(android.view.cts.View_AnimationTest#testClearDuringAnimation, {})
-03-25 20:20:22 D/ModuleListener: ModuleListener.testRunFailed(Instrumentation run failed due to 'Process crashed.')
-03-25 20:20:22 I/ConsoleReporter: [chromeos2-row4-rack8-host12:22] Instrumentation run failed due to 'Process crashed.'
-03-25 20:20:22 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-03-25 20:20:22 I/ConsoleReporter: [chromeos2-row4-rack8-host12:22] armeabi-v7a CtsViewTestCases failed in 0 ms. 12 passed, 1 failed, 163 not executed
-03-25 20:20:22 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack8-host12:22 is already ONLINE
-03-25 20:20:22 I/AndroidNativeDeviceStateMonitor: Waiting 5000 ms for device chromeos2-row4-rack8-host12:22 boot complete
-03-25 20:20:23 I/DeviceStateMonitor: Waiting 4808 ms for device chromeos2-row4-rack8-host12:22 package manager
-03-25 20:20:29 I/AndroidNativeDeviceStateMonitor: Waiting -2046 ms for device chromeos2-row4-rack8-host12:22 external store
-03-25 20:20:29 W/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack8-host12:22 external storage is not mounted after -2046 ms
-03-25 20:20:29 I/AndroidNativeDevice: Attempting recovery on chromeos2-row4-rack8-host12:22
-03-25 20:20:29 I/WaitDeviceRecovery: Pausing for 5000 for chromeos2-row4-rack8-host12:22 to recover
-03-25 20:20:34 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack8-host12:22 is already ONLINE
-03-25 20:20:34 I/AndroidNativeDeviceStateMonitor: Waiting 30000 ms for device chromeos2-row4-rack8-host12:22 shell to be responsive
-03-25 20:20:35 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack8-host12:22 is already ONLINE
-03-25 20:20:35 I/AndroidNativeDeviceStateMonitor: Waiting 239999 ms for device chromeos2-row4-rack8-host12:22 boot complete
-03-25 20:20:35 I/DeviceStateMonitor: Waiting 239926 ms for device chromeos2-row4-rack8-host12:22 package manager
-03-25 20:20:40 I/AndroidNativeDeviceStateMonitor: Waiting 234456 ms for device chromeos2-row4-rack8-host12:22 external store
-03-25 20:20:41 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack8-host12:22 is already ONLINE
-03-25 20:20:41 I/AndroidNativeDevice: root is required for encryption
-03-25 20:20:41 I/AndroidNativeDevice: "enable-root" set to false; ignoring 'adb root' request
-03-25 20:20:42 I/TestDevice: Attempting to disable keyguard on chromeos2-row4-rack8-host12:22 using input keyevent 82
-03-25 20:21:04 I/AndroidNativeDevice: Recovery successful for chromeos2-row4-rack8-host12:22
-03-25 20:21:05 D/InstrumentationFileTest: Removed test file from device: /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1616711718638448466.txt
-03-25 20:21:05 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest3582217675186128014.txt was successfully created
-03-25 20:21:05 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest3582217675186128014.txt was successfully pushed to /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest3582217675186128014.txt on device
-03-25 20:21:05 I/RemoteAndroidTest: Running am instrument -w -r   -e testFile /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest3582217675186128014.txt -e timeout_msec 300000 android.view.cts/android.support.test.runner.AndroidJUnitRunner on google-chromebook_11_model_3180-chromeos2-row4-rack8-host12:22
-03-25 20:21:41 I/InstrumentationResultParser: test run failed: 'Instrumentation run failed due to 'Process crashed.''
-03-25 20:21:41 D/ModuleListener: ModuleListener.testRunStarted(android.view.cts, 0)
-03-25 20:21:41 I/ConsoleReporter: [chromeos2-row4-rack8-host12:22] Continuing armeabi-v7a CtsViewTestCases with 0 test
-03-25 20:21:41 D/ModuleListener: ModuleListener.testRunFailed(Instrumentation run failed due to 'Process crashed.')
-03-25 20:21:41 I/ConsoleReporter: [chromeos2-row4-rack8-host12:22] Instrumentation run failed due to 'Process crashed.'
-03-25 20:21:41 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-03-25 20:21:41 I/ConsoleReporter: [chromeos2-row4-rack8-host12:22] armeabi-v7a CtsViewTestCases completed in 0 ms. 0 passed, 0 failed, 0 not executed
-03-25 20:21:41 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack8-host12:22 is already ONLINE
-03-25 20:21:41 I/AndroidNativeDeviceStateMonitor: Waiting 4999 ms for device chromeos2-row4-rack8-host12:22 boot complete
-03-25 20:21:41 I/DeviceStateMonitor: Waiting 4828 ms for device chromeos2-row4-rack8-host12:22 package manager
-03-25 20:21:46 I/AndroidNativeDeviceStateMonitor: Waiting -2 ms for device chromeos2-row4-rack8-host12:22 external store
-03-25 20:21:46 W/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack8-host12:22 external storage is not mounted after -2 ms
-03-25 20:21:46 I/AndroidNativeDevice: Attempting recovery on chromeos2-row4-rack8-host12:22
-03-25 20:21:46 I/WaitDeviceRecovery: Pausing for 5000 for chromeos2-row4-rack8-host12:22 to recover
-03-25 20:21:51 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack8-host12:22 is already ONLINE
-03-25 20:21:51 I/AndroidNativeDeviceStateMonitor: Waiting 30000 ms for device chromeos2-row4-rack8-host12:22 shell to be responsive
-03-25 20:21:51 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack8-host12:22 is already ONLINE
-03-25 20:21:51 I/AndroidNativeDeviceStateMonitor: Waiting 239999 ms for device chromeos2-row4-rack8-host12:22 boot complete
-03-25 20:21:51 I/DeviceStateMonitor: Waiting 239965 ms for device chromeos2-row4-rack8-host12:22 package manager
-03-25 20:21:56 I/AndroidNativeDeviceStateMonitor: Waiting 235116 ms for device chromeos2-row4-rack8-host12:22 external store
-03-25 20:21:56 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack8-host12:22 is already ONLINE
-03-25 20:21:56 I/AndroidNativeDevice: root is required for encryption
-03-25 20:21:57 I/AndroidNativeDevice: "enable-root" set to false; ignoring 'adb root' request
-03-25 20:21:57 I/TestDevice: Attempting to disable keyguard on chromeos2-row4-rack8-host12:22 using input keyevent 82
-03-25 20:22:08 I/AndroidNativeDevice: Recovery successful for chromeos2-row4-rack8-host12:22
-03-25 20:22:08 D/InstrumentationFileTest: Removed test file from device: /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest3582217675186128014.txt
-03-25 20:22:08 E/InstrumentationFileTest: all remaining tests failed to run from file, will be ignored
-03-25 20:22:08 D/ModuleDef: Cleaner: ApkInstaller
-03-25 20:22:08 D/TestDevice: Uninstalling android.view.cts
-03-25 20:22:21 W/CompatibilityTest: Inaccurate runtime hint for armeabi-v7a CtsViewTestCases, expected 6m 47s was 13m 6s
-03-25 20:22:21 I/CompatibilityTest: Running system status checker after module execution: CtsViewTestCases
-03-25 20:22:58 I/MonitoringUtils: Connectivity check failed, retrying in 5000ms
-03-25 20:23:18 I/MonitoringUtils: Connectivity check failed, retrying in 5000ms
-03-25 20:23:23 W/CompatibilityTest: System status checker [com.android.compatibility.common.tradefed.targetprep.NetworkConnectivityChecker] failed with message: failed network connectivity check
-03-25 20:23:23 W/CompatibilityTest: There are failed system status checkers: [com.android.compatibility.common.tradefed.targetprep.NetworkConnectivityChecker] capturing a bugreport
-03-25 20:24:14 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42 with prefix "bugreport-checker-post-module-CtsViewTestCases_" suffix ".zip"
-03-25 20:24:14 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42/bugreport-checker-post-module-CtsViewTestCases_6094738809524036109.zip
-03-25 20:24:14 I/ResultReporter: Saved logs for bugreport-checker-post-module-CtsViewTestCases in /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/tools/../../android-cts/logs/2017.03.25_20.08.42/bugreport-checker-post-module-CtsViewTestCases_6094738809524036109.zip
-03-25 20:24:14 D/FileUtil: Creating temp file at /tmp/3764431/cts/inv_1220617565712510638 with prefix "bugreport-checker-post-module-CtsViewTestCases_" suffix ".zip"
-03-25 20:24:14 D/RunUtil: Running command with timeout: 10000ms
-03-25 20:24:14 D/RunUtil: Running [chmod]
-03-25 20:24:14 D/RunUtil: [chmod] command failed. return code 1
-03-25 20:24:14 D/FileUtil: Attempting to chmod /tmp/3764431/cts/inv_1220617565712510638/bugreport-checker-post-module-CtsViewTestCases_5489400060668065137.zip to ug+rwx
-03-25 20:24:14 D/RunUtil: Running command with timeout: 10000ms
-03-25 20:24:14 D/RunUtil: Running [chmod, ug+rwx, /tmp/3764431/cts/inv_1220617565712510638/bugreport-checker-post-module-CtsViewTestCases_5489400060668065137.zip]
-03-25 20:24:14 I/FileSystemLogSaver: Saved log file /tmp/3764431/cts/inv_1220617565712510638/bugreport-checker-post-module-CtsViewTestCases_5489400060668065137.zip
-03-25 20:24:15 D/RunUtil: run interrupt allowed: false
-03-25 20:24:15 I/ResultReporter: Invocation finished in 15m 33s. PASSED: 573, FAILED: 3, NOT EXECUTED: 339, MODULES: 0 of 1
-03-25 20:24:16 I/ResultReporter: Test Result: /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/results/2017.03.25_20.08.42/test_result_failures.html
-03-25 20:24:16 I/ResultReporter: Full Result: /tmp/autotest-tradefed-install_XHweAs/6788ea8941996ab9d36f560c87b93484/android-cts-7.1_r3-linux_x86-arm/android-cts/results/2017.03.25_20.08.42.zip
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/CtsWidgetTestCases.txt b/server/cros/tradefed/tradefed_utils_unittest_data/CtsWidgetTestCases.txt
deleted file mode 100644
index fe5bbd1..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/CtsWidgetTestCases.txt
+++ /dev/null
@@ -1,4452 +0,0 @@
-05-11 02:43:28 I/ModuleRepo: chromeos2-row4-rack6-host8:22 running 1 modules, expected to complete in 11m 55s
-05-11 02:43:28 I/CompatibilityTest: Starting 1 module on chromeos2-row4-rack6-host8:22
-05-11 02:43:28 D/ConfigurationFactory: Loading configuration 'system-status-checkers'
-05-11 02:43:28 I/CompatibilityTest: Running system status checker before module execution: CtsWidgetTestCases
-05-11 02:43:28 D/ModuleDef: Preparer: ApkInstaller
-05-11 02:43:28 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsWidgetTestCases.apk ...
-05-11 02:43:28 D/CtsWidgetTestCases.apk: Uploading CtsWidgetTestCases.apk onto device 'chromeos2-row4-rack6-host8:22'
-05-11 02:43:28 D/Device: Uploading file onto device 'chromeos2-row4-rack6-host8:22'
-05-11 02:43:32 D/RunUtil: Running command with timeout: 60000ms
-05-11 02:43:32 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/testcases/CtsWidgetTestCases.apk]
-05-11 02:43:32 D/ModuleDef: Test: AndroidJUnitTest
-05-11 02:43:32 D/InstrumentationTest: Collecting test info for android.widget.cts on device chromeos2-row4-rack6-host8:22
-05-11 02:43:32 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log true -e timeout_msec 300000 android.widget.cts/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack6-host8:22
-05-11 02:43:41 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log false -e timeout_msec 300000 android.widget.cts/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack6-host8:22
-05-11 02:43:42 D/ModuleListener: ModuleListener.testRunStarted(android.widget.cts, 1194)
-05-11 02:43:42 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Starting x86 CtsWidgetTestCases with 1194 tests
-05-11 02:43:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testAccessCacheColorHint)
-05-11 02:43:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testAccessCacheColorHint, {})
-05-11 02:43:43 I/ConsoleReporter: [1/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testAccessCacheColorHint pass
-05-11 02:43:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testAccessFastScrollEnabled)
-05-11 02:43:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testAccessFastScrollEnabled, {})
-05-11 02:43:43 I/ConsoleReporter: [2/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testAccessFastScrollEnabled pass
-05-11 02:43:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testAccessFastScrollEnabled_UiThread)
-05-11 02:43:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testAccessFastScrollEnabled_UiThread, {})
-05-11 02:43:43 I/ConsoleReporter: [3/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testAccessFastScrollEnabled_UiThread pass
-05-11 02:43:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testAccessListPadding)
-05-11 02:43:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testAccessListPadding, {})
-05-11 02:43:44 I/ConsoleReporter: [4/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testAccessListPadding pass
-05-11 02:43:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testAccessScrollingCacheEnabled)
-05-11 02:43:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testAccessScrollingCacheEnabled, {})
-05-11 02:43:44 I/ConsoleReporter: [5/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testAccessScrollingCacheEnabled pass
-05-11 02:43:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testAccessSelectedItem)
-05-11 02:43:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testAccessSelectedItem, {})
-05-11 02:43:44 I/ConsoleReporter: [6/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testAccessSelectedItem pass
-05-11 02:43:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testAccessSelector)
-05-11 02:43:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testAccessSelector, {})
-05-11 02:43:45 I/ConsoleReporter: [7/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testAccessSelector pass
-05-11 02:43:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testAccessSmoothScrollbarEnabled)
-05-11 02:43:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testAccessSmoothScrollbarEnabled, {})
-05-11 02:43:45 I/ConsoleReporter: [8/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testAccessSmoothScrollbarEnabled pass
-05-11 02:43:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testAccessStackFromBottom)
-05-11 02:43:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testAccessStackFromBottom, {})
-05-11 02:43:45 I/ConsoleReporter: [9/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testAccessStackFromBottom pass
-05-11 02:43:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testAccessTranscriptMode)
-05-11 02:43:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testAccessTranscriptMode, {})
-05-11 02:43:46 I/ConsoleReporter: [10/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testAccessTranscriptMode pass
-05-11 02:43:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testAddTouchables)
-05-11 02:43:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testAddTouchables, {})
-05-11 02:43:46 I/ConsoleReporter: [11/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testAddTouchables pass
-05-11 02:43:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testBeforeAndAfterTextChanged)
-05-11 02:43:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testBeforeAndAfterTextChanged, {})
-05-11 02:43:46 I/ConsoleReporter: [12/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testBeforeAndAfterTextChanged pass
-05-11 02:43:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testCheckLayoutParams)
-05-11 02:43:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testCheckLayoutParams, {})
-05-11 02:43:47 I/ConsoleReporter: [13/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testCheckLayoutParams pass
-05-11 02:43:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testComputeVerticalScrollValues)
-05-11 02:43:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testComputeVerticalScrollValues, {})
-05-11 02:43:47 I/ConsoleReporter: [14/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testComputeVerticalScrollValues pass
-05-11 02:43:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testConstructor)
-05-11 02:43:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testConstructor, {})
-05-11 02:43:47 I/ConsoleReporter: [15/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testConstructor pass
-05-11 02:43:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testDraw)
-05-11 02:43:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testDraw, {})
-05-11 02:43:48 I/ConsoleReporter: [16/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testDraw pass
-05-11 02:43:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testFling)
-05-11 02:43:52 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testFling, {})
-05-11 02:43:52 I/ConsoleReporter: [17/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testFling pass
-05-11 02:43:52 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testFoo)
-05-11 02:43:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testFoo, {})
-05-11 02:43:53 I/ConsoleReporter: [18/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testFoo pass
-05-11 02:43:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testGenerateLayoutParams)
-05-11 02:43:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testGenerateLayoutParams, {})
-05-11 02:43:53 I/ConsoleReporter: [19/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testGenerateLayoutParams pass
-05-11 02:43:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testGetContextMenuInfo)
-05-11 02:43:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testGetContextMenuInfo, {})
-05-11 02:43:53 I/ConsoleReporter: [20/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testGetContextMenuInfo pass
-05-11 02:43:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testGetFocusedRect)
-05-11 02:43:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testGetFocusedRect, {})
-05-11 02:43:54 I/ConsoleReporter: [21/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testGetFocusedRect pass
-05-11 02:43:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testGetTopBottomFadingEdgeStrength)
-05-11 02:43:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testGetTopBottomFadingEdgeStrength, {})
-05-11 02:43:54 I/ConsoleReporter: [22/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testGetTopBottomFadingEdgeStrength pass
-05-11 02:43:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testHandleDataChanged)
-05-11 02:43:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testHandleDataChanged, {})
-05-11 02:43:54 I/ConsoleReporter: [23/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testHandleDataChanged pass
-05-11 02:43:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testInvalidateViews)
-05-11 02:43:55 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testInvalidateViews, {})
-05-11 02:43:55 I/ConsoleReporter: [24/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testInvalidateViews pass
-05-11 02:43:55 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testLayoutChildren)
-05-11 02:43:55 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testLayoutChildren, {})
-05-11 02:43:55 I/ConsoleReporter: [25/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testLayoutChildren pass
-05-11 02:43:55 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testPointToPosition)
-05-11 02:43:55 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testPointToPosition, {})
-05-11 02:43:55 I/ConsoleReporter: [26/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testPointToPosition pass
-05-11 02:43:56 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testSetFilterText)
-05-11 02:43:56 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testSetFilterText, {})
-05-11 02:43:56 I/ConsoleReporter: [27/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testSetFilterText pass
-05-11 02:43:56 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testSetItemChecked_multipleModeDifferentValue)
-05-11 02:43:56 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testSetItemChecked_multipleModeDifferentValue, {})
-05-11 02:43:56 I/ConsoleReporter: [28/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testSetItemChecked_multipleModeDifferentValue pass
-05-11 02:43:56 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testSetItemChecked_multipleModeSameValue)
-05-11 02:43:56 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testSetItemChecked_multipleModeSameValue, {})
-05-11 02:43:56 I/ConsoleReporter: [29/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testSetItemChecked_multipleModeSameValue pass
-05-11 02:43:56 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testSetItemChecked_singleModeDifferentValue)
-05-11 02:43:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testSetItemChecked_singleModeDifferentValue, {})
-05-11 02:43:57 I/ConsoleReporter: [30/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testSetItemChecked_singleModeDifferentValue pass
-05-11 02:43:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testSetItemChecked_singleModeSameValue)
-05-11 02:43:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testSetItemChecked_singleModeSameValue, {})
-05-11 02:43:57 I/ConsoleReporter: [31/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testSetItemChecked_singleModeSameValue pass
-05-11 02:43:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testSetOnScrollListener)
-05-11 02:44:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testSetOnScrollListener, {})
-05-11 02:44:00 I/ConsoleReporter: [32/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testSetOnScrollListener pass
-05-11 02:44:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testSetRecyclerListener)
-05-11 02:44:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testSetRecyclerListener, {})
-05-11 02:44:00 I/ConsoleReporter: [33/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testSetRecyclerListener pass
-05-11 02:44:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testSetScrollIndicators)
-05-11 02:44:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testSetScrollIndicators, {})
-05-11 02:44:00 I/ConsoleReporter: [34/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testSetScrollIndicators pass
-05-11 02:44:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListViewTest#testShowContextMenuForChild)
-05-11 02:44:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListViewTest#testShowContextMenuForChild, {})
-05-11 02:44:00 I/ConsoleReporter: [35/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListViewTest#testShowContextMenuForChild pass
-05-11 02:44:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsListView_LayoutParamsTest#testConstructors)
-05-11 02:44:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsListView_LayoutParamsTest#testConstructors, {})
-05-11 02:44:00 I/ConsoleReporter: [36/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsListView_LayoutParamsTest#testConstructors pass
-05-11 02:44:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSeekBarTest#testAccessKeyProgressIncrement)
-05-11 02:44:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSeekBarTest#testAccessKeyProgressIncrement, {})
-05-11 02:44:00 I/ConsoleReporter: [37/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSeekBarTest#testAccessKeyProgressIncrement pass
-05-11 02:44:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSeekBarTest#testAccessThumbOffset)
-05-11 02:44:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSeekBarTest#testAccessThumbOffset, {})
-05-11 02:44:01 I/ConsoleReporter: [38/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSeekBarTest#testAccessThumbOffset pass
-05-11 02:44:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSeekBarTest#testConstructor)
-05-11 02:44:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSeekBarTest#testConstructor, {})
-05-11 02:44:01 I/ConsoleReporter: [39/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSeekBarTest#testConstructor pass
-05-11 02:44:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSeekBarTest#testDrawableStateChanged)
-05-11 02:44:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSeekBarTest#testDrawableStateChanged, {})
-05-11 02:44:01 I/ConsoleReporter: [40/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSeekBarTest#testDrawableStateChanged pass
-05-11 02:44:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSeekBarTest#testSetMax)
-05-11 02:44:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSeekBarTest#testSetMax, {})
-05-11 02:44:01 I/ConsoleReporter: [41/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSeekBarTest#testSetMax pass
-05-11 02:44:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSeekBarTest#testSetThumb)
-05-11 02:44:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSeekBarTest#testSetThumb, {})
-05-11 02:44:01 I/ConsoleReporter: [42/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSeekBarTest#testSetThumb pass
-05-11 02:44:02 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSeekBarTest#testSetTickMark)
-05-11 02:44:02 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSeekBarTest#testSetTickMark, {})
-05-11 02:44:02 I/ConsoleReporter: [43/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSeekBarTest#testSetTickMark pass
-05-11 02:44:02 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSeekBarTest#testThumbTint)
-05-11 02:44:02 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSeekBarTest#testThumbTint, {})
-05-11 02:44:02 I/ConsoleReporter: [44/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSeekBarTest#testThumbTint pass
-05-11 02:44:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSeekBarTest#testTickMarkTint)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSeekBarTest#testTickMarkTint, {})
-05-11 02:44:05 I/ConsoleReporter: [45/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSeekBarTest#testTickMarkTint pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSeekBarTest#testVerifyDrawable)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSeekBarTest#testVerifyDrawable, {})
-05-11 02:44:05 I/ConsoleReporter: [46/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSeekBarTest#testVerifyDrawable pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSpinnerTest#testAccessAdapter)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSpinnerTest#testAccessAdapter, {})
-05-11 02:44:05 I/ConsoleReporter: [47/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSpinnerTest#testAccessAdapter pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSpinnerTest#testConstructor)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSpinnerTest#testConstructor, {})
-05-11 02:44:05 I/ConsoleReporter: [48/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSpinnerTest#testConstructor pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSpinnerTest#testGenerateDefaultLayoutParams)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSpinnerTest#testGenerateDefaultLayoutParams, {})
-05-11 02:44:05 I/ConsoleReporter: [49/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSpinnerTest#testGenerateDefaultLayoutParams pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSpinnerTest#testGetCount)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSpinnerTest#testGetCount, {})
-05-11 02:44:05 I/ConsoleReporter: [50/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSpinnerTest#testGetCount pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSpinnerTest#testGetSelectedView)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSpinnerTest#testGetSelectedView, {})
-05-11 02:44:05 I/ConsoleReporter: [51/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSpinnerTest#testGetSelectedView pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSpinnerTest#testOnMeasure)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSpinnerTest#testOnMeasure, {})
-05-11 02:44:05 I/ConsoleReporter: [52/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSpinnerTest#testOnMeasure pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSpinnerTest#testOnSaveAndRestoreInstanceState)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSpinnerTest#testOnSaveAndRestoreInstanceState, {})
-05-11 02:44:05 I/ConsoleReporter: [53/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSpinnerTest#testOnSaveAndRestoreInstanceState pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSpinnerTest#testPointToPosition)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSpinnerTest#testPointToPosition, {})
-05-11 02:44:05 I/ConsoleReporter: [54/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSpinnerTest#testPointToPosition pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSpinnerTest#testRequestLayout)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSpinnerTest#testRequestLayout, {})
-05-11 02:44:05 I/ConsoleReporter: [55/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSpinnerTest#testRequestLayout pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSpinnerTest#testSetSelectionInt)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSpinnerTest#testSetSelectionInt, {})
-05-11 02:44:05 I/ConsoleReporter: [56/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSpinnerTest#testSetSelectionInt pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsSpinnerTest#testSetSelectionIntBoolean)
-05-11 02:44:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsSpinnerTest#testSetSelectionIntBoolean, {})
-05-11 02:44:05 I/ConsoleReporter: [57/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsSpinnerTest#testSetSelectionIntBoolean pass
-05-11 02:44:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsoluteLayoutTest#testCheckLayoutParams)
-05-11 02:44:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsoluteLayoutTest#testCheckLayoutParams, {})
-05-11 02:44:06 I/ConsoleReporter: [58/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsoluteLayoutTest#testCheckLayoutParams pass
-05-11 02:44:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsoluteLayoutTest#testConstructor)
-05-11 02:44:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsoluteLayoutTest#testConstructor, {})
-05-11 02:44:06 I/ConsoleReporter: [59/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsoluteLayoutTest#testConstructor pass
-05-11 02:44:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsoluteLayoutTest#testGenerateDefaultLayoutParams)
-05-11 02:44:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsoluteLayoutTest#testGenerateDefaultLayoutParams, {})
-05-11 02:44:06 I/ConsoleReporter: [60/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsoluteLayoutTest#testGenerateDefaultLayoutParams pass
-05-11 02:44:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsoluteLayoutTest#testGenerateLayoutParams1)
-05-11 02:44:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsoluteLayoutTest#testGenerateLayoutParams1, {})
-05-11 02:44:06 I/ConsoleReporter: [61/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsoluteLayoutTest#testGenerateLayoutParams1 pass
-05-11 02:44:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsoluteLayoutTest#testGenerateLayoutParams2)
-05-11 02:44:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsoluteLayoutTest#testGenerateLayoutParams2, {})
-05-11 02:44:07 I/ConsoleReporter: [62/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsoluteLayoutTest#testGenerateLayoutParams2 pass
-05-11 02:44:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsoluteLayoutTest#testOnLayout)
-05-11 02:44:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsoluteLayoutTest#testOnLayout, {})
-05-11 02:44:07 I/ConsoleReporter: [63/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsoluteLayoutTest#testOnLayout pass
-05-11 02:44:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsoluteLayoutTest#testOnMeasure)
-05-11 02:44:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsoluteLayoutTest#testOnMeasure, {})
-05-11 02:44:07 I/ConsoleReporter: [64/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsoluteLayoutTest#testOnMeasure pass
-05-11 02:44:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsoluteLayout_LayoutParamsTest#testConstructor)
-05-11 02:44:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsoluteLayout_LayoutParamsTest#testConstructor, {})
-05-11 02:44:08 I/ConsoleReporter: [65/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsoluteLayout_LayoutParamsTest#testConstructor pass
-05-11 02:44:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AbsoluteLayout_LayoutParamsTest#testDebug)
-05-11 02:44:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AbsoluteLayout_LayoutParamsTest#testDebug, {})
-05-11 02:44:08 I/ConsoleReporter: [66/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AbsoluteLayout_LayoutParamsTest#testDebug pass
-05-11 02:44:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testAccessEmptyView)
-05-11 02:44:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testAccessEmptyView, {})
-05-11 02:44:08 I/ConsoleReporter: [67/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testAccessEmptyView pass
-05-11 02:44:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testAccessOnItemClickAndLongClickListener)
-05-11 02:44:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testAccessOnItemClickAndLongClickListener, {})
-05-11 02:44:08 I/ConsoleReporter: [68/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testAccessOnItemClickAndLongClickListener pass
-05-11 02:44:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testAccessOnItemSelectedListener)
-05-11 02:44:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testAccessOnItemSelectedListener, {})
-05-11 02:44:08 I/ConsoleReporter: [69/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testAccessOnItemSelectedListener pass
-05-11 02:44:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testAccessVisiblePosition)
-05-11 02:44:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testAccessVisiblePosition, {})
-05-11 02:44:09 I/ConsoleReporter: [70/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testAccessVisiblePosition pass
-05-11 02:44:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testCanAnimate)
-05-11 02:44:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testCanAnimate, {})
-05-11 02:44:09 I/ConsoleReporter: [71/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testCanAnimate pass
-05-11 02:44:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testChangeFocusable)
-05-11 02:44:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testChangeFocusable, {})
-05-11 02:44:09 I/ConsoleReporter: [72/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testChangeFocusable pass
-05-11 02:44:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testConstructor)
-05-11 02:44:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testConstructor, {})
-05-11 02:44:09 I/ConsoleReporter: [73/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testConstructor pass
-05-11 02:44:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testDispatchRestoreInstanceState)
-05-11 02:44:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testDispatchRestoreInstanceState, {})
-05-11 02:44:10 I/ConsoleReporter: [74/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testDispatchRestoreInstanceState pass
-05-11 02:44:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testDispatchSaveInstanceState)
-05-11 02:44:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testDispatchSaveInstanceState, {})
-05-11 02:44:10 I/ConsoleReporter: [75/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testDispatchSaveInstanceState pass
-05-11 02:44:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testGetCount)
-05-11 02:44:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testGetCount, {})
-05-11 02:44:10 I/ConsoleReporter: [76/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testGetCount pass
-05-11 02:44:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testGetPositionForView)
-05-11 02:44:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testGetPositionForView, {})
-05-11 02:44:10 I/ConsoleReporter: [77/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testGetPositionForView pass
-05-11 02:44:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testGetSelected)
-05-11 02:44:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testGetSelected, {})
-05-11 02:44:10 I/ConsoleReporter: [78/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testGetSelected pass
-05-11 02:44:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testItemOrItemIdAtPosition)
-05-11 02:44:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testItemOrItemIdAtPosition, {})
-05-11 02:44:11 I/ConsoleReporter: [79/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testItemOrItemIdAtPosition pass
-05-11 02:44:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testOnLayout)
-05-11 02:44:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testOnLayout, {})
-05-11 02:44:11 I/ConsoleReporter: [80/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testOnLayout pass
-05-11 02:44:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterViewTest#testUnsupportedMethods)
-05-11 02:44:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterViewTest#testUnsupportedMethods, {})
-05-11 02:44:11 I/ConsoleReporter: [81/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterViewTest#testUnsupportedMethods pass
-05-11 02:44:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AdapterView_AdapterContextMenuInfoTest#testConstructor)
-05-11 02:44:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AdapterView_AdapterContextMenuInfoTest#testConstructor, {})
-05-11 02:44:11 I/ConsoleReporter: [82/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AdapterView_AdapterContextMenuInfoTest#testConstructor pass
-05-11 02:44:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AlphabetIndexerTest#testAlphabetIndexer)
-05-11 02:44:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AlphabetIndexerTest#testAlphabetIndexer, {})
-05-11 02:44:11 I/ConsoleReporter: [83/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AlphabetIndexerTest#testAlphabetIndexer pass
-05-11 02:44:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AlphabetIndexerTest#testCompare)
-05-11 02:44:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AlphabetIndexerTest#testCompare, {})
-05-11 02:44:11 I/ConsoleReporter: [84/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AlphabetIndexerTest#testCompare pass
-05-11 02:44:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AnalogClockTest#testConstructor)
-05-11 02:44:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AnalogClockTest#testConstructor, {})
-05-11 02:44:11 I/ConsoleReporter: [85/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AnalogClockTest#testConstructor pass
-05-11 02:44:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AnalogClockTest#testOnAttachedToWindow)
-05-11 02:44:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AnalogClockTest#testOnAttachedToWindow, {})
-05-11 02:44:12 I/ConsoleReporter: [86/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AnalogClockTest#testOnAttachedToWindow pass
-05-11 02:44:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AnalogClockTest#testOnDetachedFromWindow)
-05-11 02:44:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AnalogClockTest#testOnDetachedFromWindow, {})
-05-11 02:44:12 I/ConsoleReporter: [87/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AnalogClockTest#testOnDetachedFromWindow pass
-05-11 02:44:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AnalogClockTest#testOnDraw)
-05-11 02:44:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AnalogClockTest#testOnDraw, {})
-05-11 02:44:12 I/ConsoleReporter: [88/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AnalogClockTest#testOnDraw pass
-05-11 02:44:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AnalogClockTest#testOnMeasure)
-05-11 02:44:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AnalogClockTest#testOnMeasure, {})
-05-11 02:44:12 I/ConsoleReporter: [89/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AnalogClockTest#testOnMeasure pass
-05-11 02:44:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AnalogClockTest#testOnSizeChanged)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AnalogClockTest#testOnSizeChanged, {})
-05-11 02:44:13 I/ConsoleReporter: [90/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AnalogClockTest#testOnSizeChanged pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testAccessDropDownViewTheme)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testAccessDropDownViewTheme, {})
-05-11 02:44:13 I/ConsoleReporter: [91/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testAccessDropDownViewTheme pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testAccessView)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testAccessView, {})
-05-11 02:44:13 I/ConsoleReporter: [92/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testAccessView pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testAdd)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testAdd, {})
-05-11 02:44:13 I/ConsoleReporter: [93/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testAdd pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testAddAllCollection)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testAddAllCollection, {})
-05-11 02:44:13 I/ConsoleReporter: [94/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testAddAllCollection pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testAddAllParams)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testAddAllParams, {})
-05-11 02:44:13 I/ConsoleReporter: [95/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testAddAllParams pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testConstructor)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testConstructor, {})
-05-11 02:44:13 I/ConsoleReporter: [96/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testConstructor pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testCreateFromResource)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testCreateFromResource, {})
-05-11 02:44:13 I/ConsoleReporter: [97/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testCreateFromResource pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testDataChangeEvent)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testDataChangeEvent, {})
-05-11 02:44:13 I/ConsoleReporter: [98/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testDataChangeEvent pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testGetFilter)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testGetFilter, {})
-05-11 02:44:13 I/ConsoleReporter: [99/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testGetFilter pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testGetItem)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testGetItem, {})
-05-11 02:44:13 I/ConsoleReporter: [100/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testGetItem pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testGetItemId)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testGetItemId, {})
-05-11 02:44:13 I/ConsoleReporter: [101/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testGetItemId pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testGetPosition)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testGetPosition, {})
-05-11 02:44:13 I/ConsoleReporter: [102/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testGetPosition pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testInsert)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testInsert, {})
-05-11 02:44:13 I/ConsoleReporter: [103/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testInsert pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testRemove)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testRemove, {})
-05-11 02:44:13 I/ConsoleReporter: [104/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testRemove pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testSetDropDownViewResouce)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testSetDropDownViewResouce, {})
-05-11 02:44:13 I/ConsoleReporter: [105/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testSetDropDownViewResouce pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ArrayAdapterTest#testSort)
-05-11 02:44:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ArrayAdapterTest#testSort, {})
-05-11 02:44:13 I/ConsoleReporter: [106/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ArrayAdapterTest#testSort pass
-05-11 02:44:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testAccessAdapter)
-05-11 02:44:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testAccessAdapter, {})
-05-11 02:44:14 I/ConsoleReporter: [107/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testAccessAdapter pass
-05-11 02:44:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testAccessDropDownAnchor)
-05-11 02:44:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testAccessDropDownAnchor, {})
-05-11 02:44:14 I/ConsoleReporter: [108/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testAccessDropDownAnchor pass
-05-11 02:44:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testAccessDropDownWidth)
-05-11 02:44:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testAccessDropDownWidth, {})
-05-11 02:44:14 I/ConsoleReporter: [109/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testAccessDropDownWidth pass
-05-11 02:44:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testAccessItemClickListener)
-05-11 02:44:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testAccessItemClickListener, {})
-05-11 02:44:14 I/ConsoleReporter: [110/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testAccessItemClickListener pass
-05-11 02:44:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testAccessItemSelectedListener)
-05-11 02:44:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testAccessItemSelectedListener, {})
-05-11 02:44:15 I/ConsoleReporter: [111/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testAccessItemSelectedListener pass
-05-11 02:44:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testAccessListSelection)
-05-11 02:44:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testAccessListSelection, {})
-05-11 02:44:15 I/ConsoleReporter: [112/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testAccessListSelection pass
-05-11 02:44:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testAccessValidater)
-05-11 02:44:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testAccessValidater, {})
-05-11 02:44:15 I/ConsoleReporter: [113/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testAccessValidater pass
-05-11 02:44:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testConstructor)
-05-11 02:44:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testConstructor, {})
-05-11 02:44:15 I/ConsoleReporter: [114/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testConstructor pass
-05-11 02:44:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testConvertSelectionToString)
-05-11 02:44:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testConvertSelectionToString, {})
-05-11 02:44:16 I/ConsoleReporter: [115/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testConvertSelectionToString pass
-05-11 02:44:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testEnoughToFilter)
-05-11 02:44:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testEnoughToFilter, {})
-05-11 02:44:16 I/ConsoleReporter: [116/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testEnoughToFilter pass
-05-11 02:44:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testGetThreshold)
-05-11 02:44:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testGetThreshold, {})
-05-11 02:44:16 I/ConsoleReporter: [117/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testGetThreshold pass
-05-11 02:44:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testOnAttachedToWindow)
-05-11 02:44:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testOnAttachedToWindow, {})
-05-11 02:44:17 I/ConsoleReporter: [118/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testOnAttachedToWindow pass
-05-11 02:44:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testOnCommitCompletion)
-05-11 02:44:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testOnCommitCompletion, {})
-05-11 02:44:17 I/ConsoleReporter: [119/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testOnCommitCompletion pass
-05-11 02:44:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testOnDetachedFromWindow)
-05-11 02:44:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testOnDetachedFromWindow, {})
-05-11 02:44:17 I/ConsoleReporter: [120/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testOnDetachedFromWindow pass
-05-11 02:44:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testOnFilterComplete)
-05-11 02:44:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testOnFilterComplete, {})
-05-11 02:44:18 I/ConsoleReporter: [121/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testOnFilterComplete pass
-05-11 02:44:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testOnKeyPreIme)
-05-11 02:44:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testOnKeyPreIme, {})
-05-11 02:44:18 I/ConsoleReporter: [122/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testOnKeyPreIme pass
-05-11 02:44:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testOnTextChanged)
-05-11 02:44:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testOnTextChanged, {})
-05-11 02:44:18 I/ConsoleReporter: [123/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testOnTextChanged pass
-05-11 02:44:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testPerformCompletion)
-05-11 02:44:19 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testPerformCompletion, {})
-05-11 02:44:19 I/ConsoleReporter: [124/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testPerformCompletion pass
-05-11 02:44:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testPerformFiltering)
-05-11 02:44:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testPerformFiltering, {})
-05-11 02:44:20 I/ConsoleReporter: [125/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testPerformFiltering pass
-05-11 02:44:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testPerformValidation)
-05-11 02:44:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testPerformValidation, {})
-05-11 02:44:20 I/ConsoleReporter: [126/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testPerformValidation pass
-05-11 02:44:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testPopupWindow)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testPopupWindow, {})
-05-11 02:44:21 I/ConsoleReporter: [127/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testPopupWindow pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testReplaceText)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testReplaceText, {})
-05-11 02:44:21 I/ConsoleReporter: [128/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testReplaceText pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testSetCompletionHint)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testSetCompletionHint, {})
-05-11 02:44:21 I/ConsoleReporter: [129/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testSetCompletionHint pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.AutoCompleteTextViewTest#testSetFrame)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.AutoCompleteTextViewTest#testSetFrame, {})
-05-11 02:44:21 I/ConsoleReporter: [130/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.AutoCompleteTextViewTest#testSetFrame pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseAdapterTest#testAreAllItemsEnabled)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseAdapterTest#testAreAllItemsEnabled, {})
-05-11 02:44:21 I/ConsoleReporter: [131/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseAdapterTest#testAreAllItemsEnabled pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseAdapterTest#testDataSetObserver)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseAdapterTest#testDataSetObserver, {})
-05-11 02:44:21 I/ConsoleReporter: [132/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseAdapterTest#testDataSetObserver pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseAdapterTest#testGetDropDownView)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseAdapterTest#testGetDropDownView, {})
-05-11 02:44:21 I/ConsoleReporter: [133/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseAdapterTest#testGetDropDownView pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseAdapterTest#testGetItemViewType)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseAdapterTest#testGetItemViewType, {})
-05-11 02:44:21 I/ConsoleReporter: [134/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseAdapterTest#testGetItemViewType pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseAdapterTest#testGetViewTypeCount)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseAdapterTest#testGetViewTypeCount, {})
-05-11 02:44:21 I/ConsoleReporter: [135/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseAdapterTest#testGetViewTypeCount pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseAdapterTest#testHasStableIds)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseAdapterTest#testHasStableIds, {})
-05-11 02:44:21 I/ConsoleReporter: [136/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseAdapterTest#testHasStableIds pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseAdapterTest#testIsEmpty)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseAdapterTest#testIsEmpty, {})
-05-11 02:44:21 I/ConsoleReporter: [137/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseAdapterTest#testIsEmpty pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseAdapterTest#testIsEnabled)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseAdapterTest#testIsEnabled, {})
-05-11 02:44:21 I/ConsoleReporter: [138/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseAdapterTest#testIsEnabled pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseAdapterTest#testNotifyDataSetInvalidated)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseAdapterTest#testNotifyDataSetInvalidated, {})
-05-11 02:44:21 I/ConsoleReporter: [139/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseAdapterTest#testNotifyDataSetInvalidated pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseExpandableListAdapterTest#testAreAllItemsEnabled)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseExpandableListAdapterTest#testAreAllItemsEnabled, {})
-05-11 02:44:21 I/ConsoleReporter: [140/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseExpandableListAdapterTest#testAreAllItemsEnabled pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseExpandableListAdapterTest#testDataSetObserver)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseExpandableListAdapterTest#testDataSetObserver, {})
-05-11 02:44:21 I/ConsoleReporter: [141/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseExpandableListAdapterTest#testDataSetObserver pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseExpandableListAdapterTest#testGetCombinedId)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseExpandableListAdapterTest#testGetCombinedId, {})
-05-11 02:44:21 I/ConsoleReporter: [142/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseExpandableListAdapterTest#testGetCombinedId pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseExpandableListAdapterTest#testIsEmpty)
-05-11 02:44:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseExpandableListAdapterTest#testIsEmpty, {})
-05-11 02:44:21 I/ConsoleReporter: [143/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseExpandableListAdapterTest#testIsEmpty pass
-05-11 02:44:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseExpandableListAdapterTest#testNotifyDataSetChanged)
-05-11 02:44:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseExpandableListAdapterTest#testNotifyDataSetChanged, {})
-05-11 02:44:22 I/ConsoleReporter: [144/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseExpandableListAdapterTest#testNotifyDataSetChanged pass
-05-11 02:44:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseExpandableListAdapterTest#testNotifyDataSetInvalidated)
-05-11 02:44:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseExpandableListAdapterTest#testNotifyDataSetInvalidated, {})
-05-11 02:44:22 I/ConsoleReporter: [145/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseExpandableListAdapterTest#testNotifyDataSetInvalidated pass
-05-11 02:44:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseExpandableListAdapterTest#testOnGroupCollapsed)
-05-11 02:44:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseExpandableListAdapterTest#testOnGroupCollapsed, {})
-05-11 02:44:22 I/ConsoleReporter: [146/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseExpandableListAdapterTest#testOnGroupCollapsed pass
-05-11 02:44:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.BaseExpandableListAdapterTest#testOnGroupExpanded)
-05-11 02:44:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.BaseExpandableListAdapterTest#testOnGroupExpanded, {})
-05-11 02:44:22 I/ConsoleReporter: [147/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.BaseExpandableListAdapterTest#testOnGroupExpanded pass
-05-11 02:44:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ButtonTest#testConstructor)
-05-11 02:44:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ButtonTest#testConstructor, {})
-05-11 02:44:22 I/ConsoleReporter: [148/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ButtonTest#testConstructor pass
-05-11 02:44:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CalendarViewTest#testAccessDate)
-05-11 02:44:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CalendarViewTest#testAccessDate, {})
-05-11 02:44:22 I/ConsoleReporter: [149/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CalendarViewTest#testAccessDate pass
-05-11 02:44:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CalendarViewTest#testAccessMinMaxDate)
-05-11 02:44:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CalendarViewTest#testAccessMinMaxDate, {})
-05-11 02:44:22 I/ConsoleReporter: [150/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CalendarViewTest#testAccessMinMaxDate pass
-05-11 02:44:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CalendarViewTest#testAppearanceHolo)
-05-11 02:44:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CalendarViewTest#testAppearanceHolo, {})
-05-11 02:44:23 I/ConsoleReporter: [151/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CalendarViewTest#testAppearanceHolo pass
-05-11 02:44:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CalendarViewTest#testAppearanceMaterial)
-05-11 02:44:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CalendarViewTest#testAppearanceMaterial, {})
-05-11 02:44:23 I/ConsoleReporter: [152/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CalendarViewTest#testAppearanceMaterial pass
-05-11 02:44:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CalendarViewTest#testConstructor)
-05-11 02:44:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CalendarViewTest#testConstructor, {})
-05-11 02:44:24 I/ConsoleReporter: [153/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CalendarViewTest#testConstructor pass
-05-11 02:44:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckBoxTest#testConstructor)
-05-11 02:44:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckBoxTest#testConstructor, {})
-05-11 02:44:24 I/ConsoleReporter: [154/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckBoxTest#testConstructor pass
-05-11 02:44:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckedTextViewTest#testAccessInstanceState)
-05-11 02:44:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckedTextViewTest#testAccessInstanceState, {})
-05-11 02:44:24 I/ConsoleReporter: [155/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckedTextViewTest#testAccessInstanceState pass
-05-11 02:44:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckedTextViewTest#testChecked)
-05-11 02:44:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckedTextViewTest#testChecked, {})
-05-11 02:44:24 I/ConsoleReporter: [156/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckedTextViewTest#testChecked pass
-05-11 02:44:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckedTextViewTest#testConstructor)
-05-11 02:44:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckedTextViewTest#testConstructor, {})
-05-11 02:44:24 I/ConsoleReporter: [157/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckedTextViewTest#testConstructor pass
-05-11 02:44:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckedTextViewTest#testDrawableStateChanged)
-05-11 02:44:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckedTextViewTest#testDrawableStateChanged, {})
-05-11 02:44:25 I/ConsoleReporter: [158/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckedTextViewTest#testDrawableStateChanged pass
-05-11 02:44:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckedTextViewTest#testOnCreateDrawableState)
-05-11 02:44:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckedTextViewTest#testOnCreateDrawableState, {})
-05-11 02:44:25 I/ConsoleReporter: [159/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckedTextViewTest#testOnCreateDrawableState pass
-05-11 02:44:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckedTextViewTest#testOnDraw)
-05-11 02:44:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckedTextViewTest#testOnDraw, {})
-05-11 02:44:25 I/ConsoleReporter: [160/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckedTextViewTest#testOnDraw pass
-05-11 02:44:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckedTextViewTest#testSetCheckMarkByMixedTypes)
-05-11 02:44:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckedTextViewTest#testSetCheckMarkByMixedTypes, {})
-05-11 02:44:26 I/ConsoleReporter: [161/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckedTextViewTest#testSetCheckMarkByMixedTypes pass
-05-11 02:44:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckedTextViewTest#testSetCheckMarkDrawableByDrawable)
-05-11 02:44:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckedTextViewTest#testSetCheckMarkDrawableByDrawable, {})
-05-11 02:44:26 I/ConsoleReporter: [162/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckedTextViewTest#testSetCheckMarkDrawableByDrawable pass
-05-11 02:44:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckedTextViewTest#testSetCheckMarkDrawableById)
-05-11 02:44:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckedTextViewTest#testSetCheckMarkDrawableById, {})
-05-11 02:44:26 I/ConsoleReporter: [163/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckedTextViewTest#testSetCheckMarkDrawableById pass
-05-11 02:44:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckedTextViewTest#testSetPadding)
-05-11 02:44:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckedTextViewTest#testSetPadding, {})
-05-11 02:44:27 I/ConsoleReporter: [164/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckedTextViewTest#testSetPadding pass
-05-11 02:44:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CheckedTextViewTest#testToggle)
-05-11 02:44:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CheckedTextViewTest#testToggle, {})
-05-11 02:44:27 I/ConsoleReporter: [165/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CheckedTextViewTest#testToggle pass
-05-11 02:44:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ChronometerTest#testAccessBase)
-05-11 02:44:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ChronometerTest#testAccessBase, {})
-05-11 02:44:27 I/ConsoleReporter: [166/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ChronometerTest#testAccessBase pass
-05-11 02:44:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ChronometerTest#testAccessFormat)
-05-11 02:44:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ChronometerTest#testAccessFormat, {})
-05-11 02:44:27 I/ConsoleReporter: [167/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ChronometerTest#testAccessFormat pass
-05-11 02:44:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ChronometerTest#testAccessOnChronometerTickListener)
-05-11 02:44:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ChronometerTest#testAccessOnChronometerTickListener, {})
-05-11 02:44:29 I/ConsoleReporter: [168/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ChronometerTest#testAccessOnChronometerTickListener pass
-05-11 02:44:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ChronometerTest#testConstructor)
-05-11 02:44:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ChronometerTest#testConstructor, {})
-05-11 02:44:30 I/ConsoleReporter: [169/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ChronometerTest#testConstructor pass
-05-11 02:44:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ChronometerTest#testFoo)
-05-11 02:44:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ChronometerTest#testFoo, {})
-05-11 02:44:30 I/ConsoleReporter: [170/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ChronometerTest#testFoo pass
-05-11 02:44:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ChronometerTest#testStartAndStop)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ChronometerTest#testStartAndStop, {})
-05-11 02:44:33 I/ConsoleReporter: [171/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ChronometerTest#testStartAndStop pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testAccessChecked)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testAccessChecked, {})
-05-11 02:44:33 I/ConsoleReporter: [172/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testAccessChecked pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testAccessInstanceState)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testAccessInstanceState, {})
-05-11 02:44:33 I/ConsoleReporter: [173/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testAccessInstanceState pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testButtonTint)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testButtonTint, {})
-05-11 02:44:33 I/ConsoleReporter: [174/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testButtonTint pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testConstructor)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testConstructor, {})
-05-11 02:44:33 I/ConsoleReporter: [175/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testConstructor pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testDrawableStateChanged)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testDrawableStateChanged, {})
-05-11 02:44:33 I/ConsoleReporter: [176/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testDrawableStateChanged pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testOnCreateDrawableState)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testOnCreateDrawableState, {})
-05-11 02:44:33 I/ConsoleReporter: [177/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testOnCreateDrawableState pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testOnDraw)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testOnDraw, {})
-05-11 02:44:33 I/ConsoleReporter: [178/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testOnDraw pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testPerformClick)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testPerformClick, {})
-05-11 02:44:33 I/ConsoleReporter: [179/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testPerformClick pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testSetButtonDrawableByDrawable)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testSetButtonDrawableByDrawable, {})
-05-11 02:44:33 I/ConsoleReporter: [180/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testSetButtonDrawableByDrawable pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testSetButtonDrawableById)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testSetButtonDrawableById, {})
-05-11 02:44:33 I/ConsoleReporter: [181/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testSetButtonDrawableById pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testSetOnCheckedChangeListener)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testSetOnCheckedChangeListener, {})
-05-11 02:44:33 I/ConsoleReporter: [182/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testSetOnCheckedChangeListener pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testToggle)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testToggle, {})
-05-11 02:44:33 I/ConsoleReporter: [183/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testToggle pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CompoundButtonTest#testVerifyDrawable)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CompoundButtonTest#testVerifyDrawable, {})
-05-11 02:44:33 I/ConsoleReporter: [184/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CompoundButtonTest#testVerifyDrawable pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testAccessCursor)
-05-11 02:44:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testAccessCursor, {})
-05-11 02:44:33 I/ConsoleReporter: [185/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testAccessCursor pass
-05-11 02:44:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testAccessDropDownViewTheme)
-05-11 02:44:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testAccessDropDownViewTheme, {})
-05-11 02:44:34 I/ConsoleReporter: [186/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testAccessDropDownViewTheme pass
-05-11 02:44:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testAccessFilterQueryProvider)
-05-11 02:44:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testAccessFilterQueryProvider, {})
-05-11 02:44:34 I/ConsoleReporter: [187/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testAccessFilterQueryProvider pass
-05-11 02:44:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testConstructor)
-05-11 02:44:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testConstructor, {})
-05-11 02:44:34 I/ConsoleReporter: [188/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testConstructor pass
-05-11 02:44:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testConvertToString)
-05-11 02:44:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testConvertToString, {})
-05-11 02:44:34 I/ConsoleReporter: [189/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testConvertToString pass
-05-11 02:44:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testGetCount)
-05-11 02:44:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testGetCount, {})
-05-11 02:44:35 I/ConsoleReporter: [190/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testGetCount pass
-05-11 02:44:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testGetDropDownView)
-05-11 02:44:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testGetDropDownView, {})
-05-11 02:44:35 I/ConsoleReporter: [191/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testGetDropDownView pass
-05-11 02:44:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testGetFilter)
-05-11 02:44:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testGetFilter, {})
-05-11 02:44:35 I/ConsoleReporter: [192/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testGetFilter pass
-05-11 02:44:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testGetItem)
-05-11 02:44:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testGetItem, {})
-05-11 02:44:35 I/ConsoleReporter: [193/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testGetItem pass
-05-11 02:44:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testGetItemId)
-05-11 02:44:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testGetItemId, {})
-05-11 02:44:36 I/ConsoleReporter: [194/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testGetItemId pass
-05-11 02:44:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testGetView)
-05-11 02:44:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testGetView, {})
-05-11 02:44:36 I/ConsoleReporter: [195/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testGetView pass
-05-11 02:44:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testHasStableIds)
-05-11 02:44:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testHasStableIds, {})
-05-11 02:44:36 I/ConsoleReporter: [196/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testHasStableIds pass
-05-11 02:44:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testInit)
-05-11 02:44:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testInit, {})
-05-11 02:44:36 I/ConsoleReporter: [197/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testInit pass
-05-11 02:44:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testNewDropDownView)
-05-11 02:44:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testNewDropDownView, {})
-05-11 02:44:36 I/ConsoleReporter: [198/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testNewDropDownView pass
-05-11 02:44:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testOnContentChanged)
-05-11 02:44:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testOnContentChanged, {})
-05-11 02:44:37 I/ConsoleReporter: [199/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testOnContentChanged pass
-05-11 02:44:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorAdapterTest#testRunQueryOnBackgroundThread)
-05-11 02:44:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorAdapterTest#testRunQueryOnBackgroundThread, {})
-05-11 02:44:37 I/ConsoleReporter: [200/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorAdapterTest#testRunQueryOnBackgroundThread pass
-05-11 02:44:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testAccessQueryProvider)
-05-11 02:44:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testAccessQueryProvider, {})
-05-11 02:44:37 I/ConsoleReporter: [201/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testAccessQueryProvider pass
-05-11 02:44:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testChangeCursor)
-05-11 02:44:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testChangeCursor, {})
-05-11 02:44:37 I/ConsoleReporter: [202/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testChangeCursor pass
-05-11 02:44:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testConstructor)
-05-11 02:44:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testConstructor, {})
-05-11 02:44:38 I/ConsoleReporter: [203/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testConstructor pass
-05-11 02:44:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testConvertToString)
-05-11 02:44:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testConvertToString, {})
-05-11 02:44:38 I/ConsoleReporter: [204/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testConvertToString pass
-05-11 02:44:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testGetChild)
-05-11 02:44:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testGetChild, {})
-05-11 02:44:38 I/ConsoleReporter: [205/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testGetChild pass
-05-11 02:44:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testGetChildId)
-05-11 02:44:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testGetChildId, {})
-05-11 02:44:39 I/ConsoleReporter: [206/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testGetChildId pass
-05-11 02:44:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testGetChildView)
-05-11 02:44:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testGetChildView, {})
-05-11 02:44:39 I/ConsoleReporter: [207/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testGetChildView pass
-05-11 02:44:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testGetChildrenCount)
-05-11 02:44:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testGetChildrenCount, {})
-05-11 02:44:39 I/ConsoleReporter: [208/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testGetChildrenCount pass
-05-11 02:44:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testGetCursor)
-05-11 02:44:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testGetCursor, {})
-05-11 02:44:39 I/ConsoleReporter: [209/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testGetCursor pass
-05-11 02:44:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testGetFilter)
-05-11 02:44:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testGetFilter, {})
-05-11 02:44:40 I/ConsoleReporter: [210/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testGetFilter pass
-05-11 02:44:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testGetGroup)
-05-11 02:44:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testGetGroup, {})
-05-11 02:44:40 I/ConsoleReporter: [211/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testGetGroup pass
-05-11 02:44:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testGetGroupCount)
-05-11 02:44:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testGetGroupCount, {})
-05-11 02:44:41 I/ConsoleReporter: [212/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testGetGroupCount pass
-05-11 02:44:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testGetGroupId)
-05-11 02:44:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testGetGroupId, {})
-05-11 02:44:41 I/ConsoleReporter: [213/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testGetGroupId pass
-05-11 02:44:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testGetGroupView)
-05-11 02:44:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testGetGroupView, {})
-05-11 02:44:41 I/ConsoleReporter: [214/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testGetGroupView pass
-05-11 02:44:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testHasStableIds)
-05-11 02:44:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testHasStableIds, {})
-05-11 02:44:41 I/ConsoleReporter: [215/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testHasStableIds pass
-05-11 02:44:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testIsChildSelectable)
-05-11 02:44:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testIsChildSelectable, {})
-05-11 02:44:42 I/ConsoleReporter: [216/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testIsChildSelectable pass
-05-11 02:44:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testNotifyDataSetChanged)
-05-11 02:44:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testNotifyDataSetChanged, {})
-05-11 02:44:42 I/ConsoleReporter: [217/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testNotifyDataSetChanged pass
-05-11 02:44:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testNotifyDataSetChangedBoolean)
-05-11 02:44:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testNotifyDataSetChangedBoolean, {})
-05-11 02:44:42 I/ConsoleReporter: [218/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testNotifyDataSetChangedBoolean pass
-05-11 02:44:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testNotifyDataSetInvalidated)
-05-11 02:44:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testNotifyDataSetInvalidated, {})
-05-11 02:44:42 I/ConsoleReporter: [219/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testNotifyDataSetInvalidated pass
-05-11 02:44:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testOnGroupCollapsed)
-05-11 02:44:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testOnGroupCollapsed, {})
-05-11 02:44:43 I/ConsoleReporter: [220/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testOnGroupCollapsed pass
-05-11 02:44:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testRunQueryOnBackgroundThread)
-05-11 02:44:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testRunQueryOnBackgroundThread, {})
-05-11 02:44:43 I/ConsoleReporter: [221/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testRunQueryOnBackgroundThread pass
-05-11 02:44:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testSetChildrenCursor)
-05-11 02:44:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testSetChildrenCursor, {})
-05-11 02:44:43 I/ConsoleReporter: [222/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testSetChildrenCursor pass
-05-11 02:44:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.CursorTreeAdapterTest#testSetGroupCursor)
-05-11 02:44:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.CursorTreeAdapterTest#testSetGroupCursor, {})
-05-11 02:44:43 I/ConsoleReporter: [223/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.CursorTreeAdapterTest#testSetGroupCursor pass
-05-11 02:44:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DatePickerDialogTest#testConstructor)
-05-11 02:44:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DatePickerDialogTest#testConstructor, {})
-05-11 02:44:44 I/ConsoleReporter: [224/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DatePickerDialogTest#testConstructor pass
-05-11 02:44:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DatePickerDialogTest#testShowDismiss)
-05-11 02:44:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DatePickerDialogTest#testShowDismiss, {})
-05-11 02:44:44 I/ConsoleReporter: [225/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DatePickerDialogTest#testShowDismiss pass
-05-11 02:44:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DatePickerTest#testAccessDate)
-05-11 02:44:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DatePickerTest#testAccessDate, {})
-05-11 02:44:44 I/ConsoleReporter: [226/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DatePickerTest#testAccessDate pass
-05-11 02:44:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DatePickerTest#testConstructor)
-05-11 02:44:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DatePickerTest#testConstructor, {})
-05-11 02:44:44 I/ConsoleReporter: [227/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DatePickerTest#testConstructor pass
-05-11 02:44:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DatePickerTest#testInit)
-05-11 02:44:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DatePickerTest#testInit, {})
-05-11 02:44:44 I/ConsoleReporter: [228/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DatePickerTest#testInit pass
-05-11 02:44:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DatePickerTest#testOnSaveInstanceState)
-05-11 02:44:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DatePickerTest#testOnSaveInstanceState, {})
-05-11 02:44:44 I/ConsoleReporter: [229/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DatePickerTest#testOnSaveInstanceState pass
-05-11 02:44:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DatePickerTest#testSetEnabled)
-05-11 02:44:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DatePickerTest#testSetEnabled, {})
-05-11 02:44:44 I/ConsoleReporter: [230/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DatePickerTest#testSetEnabled pass
-05-11 02:44:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DatePickerTest#testUpdateDate)
-05-11 02:44:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DatePickerTest#testUpdateDate, {})
-05-11 02:44:44 I/ConsoleReporter: [231/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DatePickerTest#testUpdateDate pass
-05-11 02:44:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testAccessMode)
-05-11 02:44:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testAccessMode, {})
-05-11 02:44:44 I/ConsoleReporter: [232/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testAccessMode pass
-05-11 02:44:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testAppend)
-05-11 02:44:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testAppend, {})
-05-11 02:44:45 I/ConsoleReporter: [233/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testAppend pass
-05-11 02:44:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testClearText)
-05-11 02:44:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testClearText, {})
-05-11 02:44:45 I/ConsoleReporter: [234/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testClearText pass
-05-11 02:44:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testConstructor)
-05-11 02:44:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testConstructor, {})
-05-11 02:44:45 I/ConsoleReporter: [235/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testConstructor pass
-05-11 02:44:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testGetDigits)
-05-11 02:44:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testGetDigits, {})
-05-11 02:44:46 I/ConsoleReporter: [236/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testGetDigits pass
-05-11 02:44:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testGetFilterText)
-05-11 02:44:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testGetFilterText, {})
-05-11 02:44:46 I/ConsoleReporter: [237/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testGetFilterText pass
-05-11 02:44:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testGetLetters)
-05-11 02:44:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testGetLetters, {})
-05-11 02:44:46 I/ConsoleReporter: [238/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testGetLetters pass
-05-11 02:44:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testIsQwertyKeyboard)
-05-11 02:44:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testIsQwertyKeyboard, {})
-05-11 02:44:46 I/ConsoleReporter: [239/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testIsQwertyKeyboard pass
-05-11 02:44:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testOnFinishInflate)
-05-11 02:44:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testOnFinishInflate, {})
-05-11 02:44:47 I/ConsoleReporter: [240/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testOnFinishInflate pass
-05-11 02:44:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testOnFocusChanged)
-05-11 02:44:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testOnFocusChanged, {})
-05-11 02:44:47 I/ConsoleReporter: [241/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testOnFocusChanged pass
-05-11 02:44:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testOnKeyUpDown)
-05-11 02:44:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testOnKeyUpDown, {})
-05-11 02:44:48 I/ConsoleReporter: [242/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testOnKeyUpDown pass
-05-11 02:44:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testOnModechange)
-05-11 02:44:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testOnModechange, {})
-05-11 02:44:48 I/ConsoleReporter: [243/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testOnModechange pass
-05-11 02:44:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testRemoveFilterWatcher)
-05-11 02:44:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testRemoveFilterWatcher, {})
-05-11 02:44:48 I/ConsoleReporter: [244/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testRemoveFilterWatcher pass
-05-11 02:44:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testSetDigitsWatcher)
-05-11 02:44:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testSetDigitsWatcher, {})
-05-11 02:44:49 I/ConsoleReporter: [245/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testSetDigitsWatcher pass
-05-11 02:44:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testSetFilterWatcher)
-05-11 02:44:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testSetFilterWatcher, {})
-05-11 02:44:49 I/ConsoleReporter: [246/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testSetFilterWatcher pass
-05-11 02:44:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DialerFilterTest#testSetLettersWatcher)
-05-11 02:44:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DialerFilterTest#testSetLettersWatcher, {})
-05-11 02:44:49 I/ConsoleReporter: [247/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DialerFilterTest#testSetLettersWatcher pass
-05-11 02:44:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DigitalClockTest#testConstructor)
-05-11 02:44:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DigitalClockTest#testConstructor, {})
-05-11 02:44:49 I/ConsoleReporter: [248/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DigitalClockTest#testConstructor pass
-05-11 02:44:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DigitalClockTest#testOnAttachedToWindow)
-05-11 02:44:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DigitalClockTest#testOnAttachedToWindow, {})
-05-11 02:44:49 I/ConsoleReporter: [249/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DigitalClockTest#testOnAttachedToWindow pass
-05-11 02:44:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DigitalClockTest#testOnDetachedFromWindow)
-05-11 02:44:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DigitalClockTest#testOnDetachedFromWindow, {})
-05-11 02:44:49 I/ConsoleReporter: [250/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DigitalClockTest#testOnDetachedFromWindow pass
-05-11 02:44:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.DigitalClockTest#testActivityTestCaseSetUpProperly)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.DigitalClockTest#testActivityTestCaseSetUpProperly, {})
-05-11 02:44:50 I/ConsoleReporter: [251/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.DigitalClockTest#testActivityTestCaseSetUpProperly pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testAccessText)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testAccessText, {})
-05-11 02:44:50 I/ConsoleReporter: [252/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testAccessText pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testConstructor)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testConstructor, {})
-05-11 02:44:50 I/ConsoleReporter: [253/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testConstructor pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testExtendSelection)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testExtendSelection, {})
-05-11 02:44:50 I/ConsoleReporter: [254/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testExtendSelection pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testGetDefaultEditable)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testGetDefaultEditable, {})
-05-11 02:44:50 I/ConsoleReporter: [255/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testGetDefaultEditable pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testGetDefaultMovementMethod)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testGetDefaultMovementMethod, {})
-05-11 02:44:50 I/ConsoleReporter: [256/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testGetDefaultMovementMethod pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testOnSaveInstanceState_savesSelectionStateWhenFreezesTextIsFalse)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testOnSaveInstanceState_savesSelectionStateWhenFreezesTextIsFalse, {})
-05-11 02:44:50 I/ConsoleReporter: [257/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testOnSaveInstanceState_savesSelectionStateWhenFreezesTextIsFalse pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testOnSaveInstanceState_savesSelectionStateWhenFreezesTextIsTrue)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testOnSaveInstanceState_savesSelectionStateWhenFreezesTextIsTrue, {})
-05-11 02:44:50 I/ConsoleReporter: [258/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testOnSaveInstanceState_savesSelectionStateWhenFreezesTextIsTrue pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testOnSaveInstanceState_savesTextStateWhenFreezesTextIfFalse)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testOnSaveInstanceState_savesTextStateWhenFreezesTextIfFalse, {})
-05-11 02:44:50 I/ConsoleReporter: [259/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testOnSaveInstanceState_savesTextStateWhenFreezesTextIfFalse pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testOnSaveInstanceState_savesTextStateWhenFreezesTextIsTrue)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testOnSaveInstanceState_savesTextStateWhenFreezesTextIsTrue, {})
-05-11 02:44:50 I/ConsoleReporter: [260/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testOnSaveInstanceState_savesTextStateWhenFreezesTextIsTrue pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testSelectAll)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testSelectAll, {})
-05-11 02:44:50 I/ConsoleReporter: [261/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testSelectAll pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testSetEllipsize)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testSetEllipsize, {})
-05-11 02:44:50 I/ConsoleReporter: [262/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testSetEllipsize pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testSetSelectionIndex)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testSetSelectionIndex, {})
-05-11 02:44:50 I/ConsoleReporter: [263/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testSetSelectionIndex pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.EditTextTest#testSetSelectionStartstop)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.EditTextTest#testSetSelectionStartstop, {})
-05-11 02:44:50 I/ConsoleReporter: [264/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.EditTextTest#testSetSelectionStartstop pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewBasicTest#testCollapseGroup)
-05-11 02:44:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewBasicTest#testCollapseGroup, {})
-05-11 02:44:50 I/ConsoleReporter: [265/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewBasicTest#testCollapseGroup pass
-05-11 02:44:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewBasicTest#testContextMenus)
-05-11 02:44:52 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewBasicTest#testContextMenus, {})
-05-11 02:44:52 I/ConsoleReporter: [266/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewBasicTest#testContextMenus pass
-05-11 02:44:52 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewBasicTest#testConvertionBetweenFlatAndPacked)
-05-11 02:44:52 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewBasicTest#testConvertionBetweenFlatAndPacked, {})
-05-11 02:44:52 I/ConsoleReporter: [267/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewBasicTest#testConvertionBetweenFlatAndPacked pass
-05-11 02:44:52 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewBasicTest#testExpandGroup)
-05-11 02:44:52 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewBasicTest#testExpandGroup, {})
-05-11 02:44:52 I/ConsoleReporter: [268/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewBasicTest#testExpandGroup pass
-05-11 02:44:52 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewBasicTest#testExpandedGroupMovement)
-05-11 02:44:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewBasicTest#testExpandedGroupMovement, {})
-05-11 02:44:53 I/ConsoleReporter: [269/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewBasicTest#testExpandedGroupMovement pass
-05-11 02:44:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewBasicTest#testPreconditions)
-05-11 02:44:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewBasicTest#testPreconditions, {})
-05-11 02:44:53 I/ConsoleReporter: [270/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewBasicTest#testPreconditions pass
-05-11 02:44:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewBasicTest#testSelectedPosition)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewBasicTest#testSelectedPosition, {})
-05-11 02:44:54 I/ConsoleReporter: [271/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewBasicTest#testSelectedPosition pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testAccessExpandableListAdapter)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testAccessExpandableListAdapter, {})
-05-11 02:44:54 I/ConsoleReporter: [272/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testAccessExpandableListAdapter pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testCollapseGroup)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testCollapseGroup, {})
-05-11 02:44:54 I/ConsoleReporter: [273/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testCollapseGroup pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testConstructor)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testConstructor, {})
-05-11 02:44:54 I/ConsoleReporter: [274/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testConstructor pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testDispatchDraw)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testDispatchDraw, {})
-05-11 02:44:54 I/ConsoleReporter: [275/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testDispatchDraw pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testExpandGroup)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testExpandGroup, {})
-05-11 02:44:54 I/ConsoleReporter: [276/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testExpandGroup pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testGetAdapter)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testGetAdapter, {})
-05-11 02:44:54 I/ConsoleReporter: [277/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testGetAdapter pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testGetExpandableListPosition)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testGetExpandableListPosition, {})
-05-11 02:44:54 I/ConsoleReporter: [278/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testGetExpandableListPosition pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testGetFlatListPosition)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testGetFlatListPosition, {})
-05-11 02:44:54 I/ConsoleReporter: [279/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testGetFlatListPosition pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testGetPackedPositionChild)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testGetPackedPositionChild, {})
-05-11 02:44:54 I/ConsoleReporter: [280/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testGetPackedPositionChild pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testGetPackedPositionForChild)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testGetPackedPositionForChild, {})
-05-11 02:44:54 I/ConsoleReporter: [281/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testGetPackedPositionForChild pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testGetPackedPositionForGroup)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testGetPackedPositionForGroup, {})
-05-11 02:44:54 I/ConsoleReporter: [282/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testGetPackedPositionForGroup pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testGetPackedPositionGroup)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testGetPackedPositionGroup, {})
-05-11 02:44:54 I/ConsoleReporter: [283/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testGetPackedPositionGroup pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testGetPackedPositionType)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testGetPackedPositionType, {})
-05-11 02:44:54 I/ConsoleReporter: [284/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testGetPackedPositionType pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testGetSelectedId)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testGetSelectedId, {})
-05-11 02:44:54 I/ConsoleReporter: [285/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testGetSelectedId pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testGetSelectedPosition)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testGetSelectedPosition, {})
-05-11 02:44:54 I/ConsoleReporter: [286/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testGetSelectedPosition pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testIsGroupExpanded)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testIsGroupExpanded, {})
-05-11 02:44:54 I/ConsoleReporter: [287/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testIsGroupExpanded pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testOnSaveInstanceState)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testOnSaveInstanceState, {})
-05-11 02:44:54 I/ConsoleReporter: [288/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testOnSaveInstanceState pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testPerformItemClick)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testPerformItemClick, {})
-05-11 02:44:54 I/ConsoleReporter: [289/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testPerformItemClick pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testSetAdapter)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testSetAdapter, {})
-05-11 02:44:54 I/ConsoleReporter: [290/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testSetAdapter pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testSetChildDivider)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testSetChildDivider, {})
-05-11 02:44:54 I/ConsoleReporter: [291/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testSetChildDivider pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testSetChildIndicator)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testSetChildIndicator, {})
-05-11 02:44:54 I/ConsoleReporter: [292/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testSetChildIndicator pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testSetChildIndicatorBounds)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testSetChildIndicatorBounds, {})
-05-11 02:44:54 I/ConsoleReporter: [293/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testSetChildIndicatorBounds pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testSetGroupIndicator)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testSetGroupIndicator, {})
-05-11 02:44:54 I/ConsoleReporter: [294/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testSetGroupIndicator pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testSetIndicatorBounds)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testSetIndicatorBounds, {})
-05-11 02:44:54 I/ConsoleReporter: [295/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testSetIndicatorBounds pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testSetOnChildClickListener)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testSetOnChildClickListener, {})
-05-11 02:44:54 I/ConsoleReporter: [296/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testSetOnChildClickListener pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testSetOnGroupClickListener)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testSetOnGroupClickListener, {})
-05-11 02:44:54 I/ConsoleReporter: [297/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testSetOnGroupClickListener pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testSetOnItemClickListener)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testSetOnItemClickListener, {})
-05-11 02:44:54 I/ConsoleReporter: [298/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testSetOnItemClickListener pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testSetSelectedChild)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testSetSelectedChild, {})
-05-11 02:44:54 I/ConsoleReporter: [299/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testSetSelectedChild pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewTest#testSetSelectedGroup)
-05-11 02:44:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewTest#testSetSelectedGroup, {})
-05-11 02:44:54 I/ConsoleReporter: [300/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewTest#testSetSelectedGroup pass
-05-11 02:44:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewWithHeadersTest#testContextMenus)
-05-11 02:44:55 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewWithHeadersTest#testContextMenus, {})
-05-11 02:44:55 I/ConsoleReporter: [301/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewWithHeadersTest#testContextMenus pass
-05-11 02:44:55 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewWithHeadersTest#testConvertionBetweenFlatAndPacked)
-05-11 02:44:56 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewWithHeadersTest#testConvertionBetweenFlatAndPacked, {})
-05-11 02:44:56 I/ConsoleReporter: [302/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewWithHeadersTest#testConvertionBetweenFlatAndPacked pass
-05-11 02:44:56 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewWithHeadersTest#testExpandOnFirstGroup)
-05-11 02:44:56 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewWithHeadersTest#testExpandOnFirstGroup, {})
-05-11 02:44:56 I/ConsoleReporter: [303/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewWithHeadersTest#testExpandOnFirstGroup pass
-05-11 02:44:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewWithHeadersTest#testExpandOnFirstPosition)
-05-11 02:44:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewWithHeadersTest#testExpandOnFirstPosition, {})
-05-11 02:44:57 I/ConsoleReporter: [304/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewWithHeadersTest#testExpandOnFirstPosition pass
-05-11 02:44:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewWithHeadersTest#testPreconditions)
-05-11 02:44:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewWithHeadersTest#testPreconditions, {})
-05-11 02:44:57 I/ConsoleReporter: [305/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewWithHeadersTest#testPreconditions pass
-05-11 02:44:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition)
-05-11 02:45:01 D/ModuleListener: ModuleListener.testFailed(android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition, junit.framework.AssertionFailedError: unexpected timeout
-at junit.framework.Assert.fail(Assert.java:50)
-at android.cts.util.PollingCheck.run(PollingCheck.java:60)
-at android.widget.cts.ExpandableListViewWithHeadersTest.setUp(ExpandableListViewWithHeadersTest.java:42)
-at junit.framework.TestCase.runBare(TestCase.java:132)
-at junit.framework.TestResult$1.protect(TestResult.java:115)
-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)
-at junit.framework.TestResult.run(TestResult.java:118)
-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)
-at junit.framework.TestCase.run(TestCase.java:124)
-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)
-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)
-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)
-at java.util.concurrent.FutureTask.run(FutureTask.java:237)
-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)
-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)
-at java.lang.Thread.run(Thread.java:761)
-)
-05-11 02:45:01 I/ConsoleReporter: [306/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition fail: junit.framework.AssertionFailedError: unexpected timeout
-at junit.framework.Assert.fail(Assert.java:50)
-at android.cts.util.PollingCheck.run(PollingCheck.java:60)
-at android.widget.cts.ExpandableListViewWithHeadersTest.setUp(ExpandableListViewWithHeadersTest.java:42)
-at junit.framework.TestCase.runBare(TestCase.java:132)
-at junit.framework.TestResult$1.protect(TestResult.java:115)
-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)
-at junit.framework.TestResult.run(TestResult.java:118)
-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)
-at junit.framework.TestCase.run(TestCase.java:124)
-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)
-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)
-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)
-at java.util.concurrent.FutureTask.run(FutureTask.java:237)
-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)
-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)
-at java.lang.Thread.run(Thread.java:761)
-
-05-11 02:45:01 I/FailureListener: FailureListener.testFailed android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition false true false
-05-11 02:45:03 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46 with prefix "android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition-logcat_" suffix ".zip"
-05-11 02:45:03 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition-logcat_6449553303433499932.zip
-05-11 02:45:03 I/ResultReporter: Saved logs for android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition-logcat in /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition-logcat_6449553303433499932.zip
-05-11 02:45:03 D/FileUtil: Creating temp file at /tmp/3866195/cts/inv_2979654501700117002 with prefix "android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition-logcat_" suffix ".zip"
-05-11 02:45:03 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:45:03 D/RunUtil: Running [chmod]
-05-11 02:45:03 D/RunUtil: [chmod] command failed. return code 1
-05-11 02:45:03 D/FileUtil: Attempting to chmod /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition-logcat_6160911257441922832.zip to ug+rwx
-05-11 02:45:03 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:45:03 D/RunUtil: Running [chmod, ug+rwx, /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition-logcat_6160911257441922832.zip]
-05-11 02:45:03 I/FileSystemLogSaver: Saved log file /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition-logcat_6160911257441922832.zip
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListViewWithHeadersTest#testSelectedPosition, {})
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ExpandableListView_ExpandableListContextMenuInfoTest#testConstructor)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ExpandableListView_ExpandableListContextMenuInfoTest#testConstructor, {})
-05-11 02:45:03 I/ConsoleReporter: [307/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ExpandableListView_ExpandableListContextMenuInfoTest#testConstructor pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FilterTest#testConstructor)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FilterTest#testConstructor, {})
-05-11 02:45:03 I/ConsoleReporter: [308/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FilterTest#testConstructor pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FilterTest#testConvertResultToString)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FilterTest#testConvertResultToString, {})
-05-11 02:45:03 I/ConsoleReporter: [309/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FilterTest#testConvertResultToString pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FilterTest#testFilter1)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FilterTest#testFilter1, {})
-05-11 02:45:03 I/ConsoleReporter: [310/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FilterTest#testFilter1 pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FilterTest#testFilter2)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FilterTest#testFilter2, {})
-05-11 02:45:03 I/ConsoleReporter: [311/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FilterTest#testFilter2 pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testAccessMeasureAllChildren)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testAccessMeasureAllChildren, {})
-05-11 02:45:03 I/ConsoleReporter: [312/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testAccessMeasureAllChildren pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testCheckLayoutParams)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testCheckLayoutParams, {})
-05-11 02:45:03 I/ConsoleReporter: [313/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testCheckLayoutParams pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testConstructor)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testConstructor, {})
-05-11 02:45:03 I/ConsoleReporter: [314/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testConstructor pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testDrawableStateChanged)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testDrawableStateChanged, {})
-05-11 02:45:03 I/ConsoleReporter: [315/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testDrawableStateChanged pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testForegroundTint)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testForegroundTint, {})
-05-11 02:45:03 I/ConsoleReporter: [316/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testForegroundTint pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testGatherTransparentRegion)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testGatherTransparentRegion, {})
-05-11 02:45:03 I/ConsoleReporter: [317/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testGatherTransparentRegion pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testGenerateDefaultLayoutParams)
-05-11 02:45:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testGenerateDefaultLayoutParams, {})
-05-11 02:45:03 I/ConsoleReporter: [318/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testGenerateDefaultLayoutParams pass
-05-11 02:45:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testGenerateLayoutParams1)
-05-11 02:45:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testGenerateLayoutParams1, {})
-05-11 02:45:04 I/ConsoleReporter: [319/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testGenerateLayoutParams1 pass
-05-11 02:45:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testGenerateLayoutParams2)
-05-11 02:45:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testGenerateLayoutParams2, {})
-05-11 02:45:04 I/ConsoleReporter: [320/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testGenerateLayoutParams2 pass
-05-11 02:45:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testGenerateLayoutParamsFromMarginParams)
-05-11 02:45:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testGenerateLayoutParamsFromMarginParams, {})
-05-11 02:45:04 I/ConsoleReporter: [321/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testGenerateLayoutParamsFromMarginParams pass
-05-11 02:45:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testOnLayout)
-05-11 02:45:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testOnLayout, {})
-05-11 02:45:04 I/ConsoleReporter: [322/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testOnLayout pass
-05-11 02:45:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testOnMeasure)
-05-11 02:45:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testOnMeasure, {})
-05-11 02:45:05 I/ConsoleReporter: [323/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testOnMeasure pass
-05-11 02:45:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testOnSizeChanged)
-05-11 02:45:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testOnSizeChanged, {})
-05-11 02:45:05 I/ConsoleReporter: [324/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testOnSizeChanged pass
-05-11 02:45:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testSetForegroundGravity)
-05-11 02:45:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testSetForegroundGravity, {})
-05-11 02:45:05 I/ConsoleReporter: [325/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testSetForegroundGravity pass
-05-11 02:45:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayoutTest#testVerifyDrawable)
-05-11 02:45:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayoutTest#testVerifyDrawable, {})
-05-11 02:45:06 I/ConsoleReporter: [326/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayoutTest#testVerifyDrawable pass
-05-11 02:45:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayout_LayoutParamsTest#testConstructor)
-05-11 02:45:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayout_LayoutParamsTest#testConstructor, {})
-05-11 02:45:06 I/ConsoleReporter: [327/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayout_LayoutParamsTest#testConstructor pass
-05-11 02:45:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.FrameLayout_LayoutParamsTest#testCopyConstructor)
-05-11 02:45:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.FrameLayout_LayoutParamsTest#testCopyConstructor, {})
-05-11 02:45:06 I/ConsoleReporter: [328/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.FrameLayout_LayoutParamsTest#testCopyConstructor pass
-05-11 02:45:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testCheckLayoutParams)
-05-11 02:45:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testCheckLayoutParams, {})
-05-11 02:45:06 I/ConsoleReporter: [329/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testCheckLayoutParams pass
-05-11 02:45:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testComputeHorizontalScrollExtent)
-05-11 02:45:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testComputeHorizontalScrollExtent, {})
-05-11 02:45:06 I/ConsoleReporter: [330/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testComputeHorizontalScrollExtent pass
-05-11 02:45:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testComputeHorizontalScrollOffset)
-05-11 02:45:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testComputeHorizontalScrollOffset, {})
-05-11 02:45:06 I/ConsoleReporter: [331/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testComputeHorizontalScrollOffset pass
-05-11 02:45:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testComputeHorizontalScrollRange)
-05-11 02:45:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testComputeHorizontalScrollRange, {})
-05-11 02:45:07 I/ConsoleReporter: [332/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testComputeHorizontalScrollRange pass
-05-11 02:45:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testConstructor)
-05-11 02:45:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testConstructor, {})
-05-11 02:45:07 I/ConsoleReporter: [333/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testConstructor pass
-05-11 02:45:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testDispatchKeyEvent)
-05-11 02:45:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testDispatchKeyEvent, {})
-05-11 02:45:07 I/ConsoleReporter: [334/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testDispatchKeyEvent pass
-05-11 02:45:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testDispatchSetPressed)
-05-11 02:45:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testDispatchSetPressed, {})
-05-11 02:45:08 I/ConsoleReporter: [335/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testDispatchSetPressed pass
-05-11 02:45:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testFoo)
-05-11 02:45:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testFoo, {})
-05-11 02:45:08 I/ConsoleReporter: [336/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testFoo pass
-05-11 02:45:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testGenerateDefaultLayoutParams)
-05-11 02:45:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testGenerateDefaultLayoutParams, {})
-05-11 02:45:08 I/ConsoleReporter: [337/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testGenerateDefaultLayoutParams pass
-05-11 02:45:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testGenerateLayoutParams)
-05-11 02:45:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testGenerateLayoutParams, {})
-05-11 02:45:08 I/ConsoleReporter: [338/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testGenerateLayoutParams pass
-05-11 02:45:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testGetChildDrawingOrder)
-05-11 02:45:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testGetChildDrawingOrder, {})
-05-11 02:45:09 I/ConsoleReporter: [339/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testGetChildDrawingOrder pass
-05-11 02:45:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testSetAnimationDuration)
-05-11 02:45:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testSetAnimationDuration, {})
-05-11 02:45:09 I/ConsoleReporter: [340/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testSetAnimationDuration pass
-05-11 02:45:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testSetGravity)
-05-11 02:45:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testSetGravity, {})
-05-11 02:45:09 I/ConsoleReporter: [341/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testSetGravity pass
-05-11 02:45:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testSetSpacing)
-05-11 02:45:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testSetSpacing, {})
-05-11 02:45:10 I/ConsoleReporter: [342/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testSetSpacing pass
-05-11 02:45:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testSetUnselectedAlpha)
-05-11 02:45:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testSetUnselectedAlpha, {})
-05-11 02:45:10 I/ConsoleReporter: [343/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testSetUnselectedAlpha pass
-05-11 02:45:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testShowContextMenu)
-05-11 02:45:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testShowContextMenu, {})
-05-11 02:45:10 I/ConsoleReporter: [344/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testShowContextMenu pass
-05-11 02:45:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GalleryTest#testShowContextMenuForChild)
-05-11 02:45:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GalleryTest#testShowContextMenuForChild, {})
-05-11 02:45:11 I/ConsoleReporter: [345/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GalleryTest#testShowContextMenuForChild pass
-05-11 02:45:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.Gallery_LayoutParamsTest#testConstructor)
-05-11 02:45:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.Gallery_LayoutParamsTest#testConstructor, {})
-05-11 02:45:11 I/ConsoleReporter: [346/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.Gallery_LayoutParamsTest#testConstructor pass
-05-11 02:45:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridLayoutTest#testAlignment)
-05-11 02:45:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridLayoutTest#testAlignment, {})
-05-11 02:45:11 I/ConsoleReporter: [347/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridLayoutTest#testAlignment pass
-05-11 02:45:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridLayoutTest#testCheckLayoutParams)
-05-11 02:45:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridLayoutTest#testCheckLayoutParams, {})
-05-11 02:45:11 I/ConsoleReporter: [348/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridLayoutTest#testCheckLayoutParams pass
-05-11 02:45:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridLayoutTest#testConstructor)
-05-11 02:45:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridLayoutTest#testConstructor, {})
-05-11 02:45:11 I/ConsoleReporter: [349/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridLayoutTest#testConstructor pass
-05-11 02:45:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridLayoutTest#testGenerateDefaultLayoutParams)
-05-11 02:45:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridLayoutTest#testGenerateDefaultLayoutParams, {})
-05-11 02:45:12 I/ConsoleReporter: [350/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridLayoutTest#testGenerateDefaultLayoutParams pass
-05-11 02:45:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridLayoutTest#testGenerateLayoutParamsFromMarginParams)
-05-11 02:45:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridLayoutTest#testGenerateLayoutParamsFromMarginParams, {})
-05-11 02:45:12 I/ConsoleReporter: [351/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridLayoutTest#testGenerateLayoutParamsFromMarginParams pass
-05-11 02:45:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridLayoutTest#testActivityTestCaseSetUpProperly)
-05-11 02:45:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridLayoutTest#testActivityTestCaseSetUpProperly, {})
-05-11 02:45:12 I/ConsoleReporter: [352/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridLayoutTest#testActivityTestCaseSetUpProperly pass
-05-11 02:45:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testAccessAdapter)
-05-11 02:45:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testAccessAdapter, {})
-05-11 02:45:13 I/ConsoleReporter: [353/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testAccessAdapter pass
-05-11 02:45:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testAccessStretchMode)
-05-11 02:45:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testAccessStretchMode, {})
-05-11 02:45:13 I/ConsoleReporter: [354/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testAccessStretchMode pass
-05-11 02:45:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testAttachLayoutAnimationParameters)
-05-11 02:45:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testAttachLayoutAnimationParameters, {})
-05-11 02:45:13 I/ConsoleReporter: [355/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testAttachLayoutAnimationParameters pass
-05-11 02:45:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testConstructor)
-05-11 02:45:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testConstructor, {})
-05-11 02:45:14 I/ConsoleReporter: [356/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testConstructor pass
-05-11 02:45:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testFullyDetachUnusedViewOnReLayout)
-05-11 02:45:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testFullyDetachUnusedViewOnReLayout, {})
-05-11 02:45:14 I/ConsoleReporter: [357/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testFullyDetachUnusedViewOnReLayout pass
-05-11 02:45:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testFullyDetachUnusedViewOnScroll)
-05-11 02:45:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testFullyDetachUnusedViewOnScroll, {})
-05-11 02:45:14 I/ConsoleReporter: [358/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testFullyDetachUnusedViewOnScroll pass
-05-11 02:45:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testFullyDetachUnusedViewOnScrollForFocus)
-05-11 02:45:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testFullyDetachUnusedViewOnScrollForFocus, {})
-05-11 02:45:15 I/ConsoleReporter: [359/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testFullyDetachUnusedViewOnScrollForFocus pass
-05-11 02:45:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testGetNumColumns)
-05-11 02:45:15 D/ModuleListener: ModuleListener.testFailed(android.widget.cts.GridViewTest#testGetNumColumns, java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-)
-05-11 02:45:15 I/ConsoleReporter: [360/1194 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testGetNumColumns fail: java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-
-05-11 02:45:15 I/FailureListener: FailureListener.testFailed android.widget.cts.GridViewTest#testGetNumColumns false true false
-05-11 02:45:17 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46 with prefix "android.widget.cts.GridViewTest#testGetNumColumns-logcat_" suffix ".zip"
-05-11 02:45:17 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testGetNumColumns-logcat_4828005566154948710.zip
-05-11 02:45:17 I/ResultReporter: Saved logs for android.widget.cts.GridViewTest#testGetNumColumns-logcat in /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testGetNumColumns-logcat_4828005566154948710.zip
-05-11 02:45:17 D/FileUtil: Creating temp file at /tmp/3866195/cts/inv_2979654501700117002 with prefix "android.widget.cts.GridViewTest#testGetNumColumns-logcat_" suffix ".zip"
-05-11 02:45:17 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:45:17 D/RunUtil: Running [chmod]
-05-11 02:45:17 D/RunUtil: [chmod] command failed. return code 1
-05-11 02:45:17 D/FileUtil: Attempting to chmod /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testGetNumColumns-logcat_650614184506241786.zip to ug+rwx
-05-11 02:45:17 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:45:17 D/RunUtil: Running [chmod, ug+rwx, /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testGetNumColumns-logcat_650614184506241786.zip]
-05-11 02:45:17 I/FileSystemLogSaver: Saved log file /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testGetNumColumns-logcat_650614184506241786.zip
-05-11 02:45:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testGetNumColumns, {})
-05-11 02:45:17 I/InstrumentationResultParser: test run failed: 'Instrumentation run failed due to 'Process crashed.''
-05-11 02:45:17 D/ModuleListener: ModuleListener.testRunFailed(Instrumentation run failed due to 'Process crashed.')
-05-11 02:45:17 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Instrumentation run failed due to 'Process crashed.'
-05-11 02:45:17 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-05-11 02:45:17 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] x86 CtsWidgetTestCases failed in 0 ms. 358 passed, 2 failed, 834 not executed
-05-11 02:45:17 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack6-host8:22 is already ONLINE
-05-11 02:45:17 I/AndroidNativeDeviceStateMonitor: Waiting 5000 ms for device chromeos2-row4-rack6-host8:22 boot complete
-05-11 02:45:17 I/DeviceStateMonitor: Waiting 4922 ms for device chromeos2-row4-rack6-host8:22 package manager
-05-11 02:45:18 I/AndroidNativeDeviceStateMonitor: Waiting 4210 ms for device chromeos2-row4-rack6-host8:22 external store
-05-11 02:45:18 I/InstrumentationTest: Running individual tests using a test file
-05-11 02:45:18 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1523747902623775922.txt was successfully created
-05-11 02:45:18 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1523747902623775922.txt was successfully pushed to /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1523747902623775922.txt on device
-05-11 02:45:18 I/RemoteAndroidTest: Running am instrument -w -r   -e testFile /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1523747902623775922.txt -e timeout_msec 300000 android.widget.cts/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack6-host8:22
-05-11 02:45:19 D/ModuleListener: ModuleListener.testRunStarted(android.widget.cts, 834)
-05-11 02:45:19 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Continuing x86 CtsWidgetTestCases with 834 tests
-05-11 02:45:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testActionView)
-05-11 02:45:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testActionView, {})
-05-11 02:45:20 I/ConsoleReporter: [1/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testActionView pass
-05-11 02:45:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testConstructor)
-05-11 02:45:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testConstructor, {})
-05-11 02:45:20 I/ConsoleReporter: [2/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testConstructor pass
-05-11 02:45:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testContentInsetsLtr)
-05-11 02:45:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testContentInsetsLtr, {})
-05-11 02:45:21 I/ConsoleReporter: [3/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testContentInsetsLtr pass
-05-11 02:45:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testContentInsetsRtl)
-05-11 02:45:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testContentInsetsRtl, {})
-05-11 02:45:21 I/ConsoleReporter: [4/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testContentInsetsRtl pass
-05-11 02:45:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testGetTitleMargins)
-05-11 02:45:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testGetTitleMargins, {})
-05-11 02:45:21 I/ConsoleReporter: [5/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testGetTitleMargins pass
-05-11 02:45:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testLogoConfiguration)
-05-11 02:45:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testLogoConfiguration, {})
-05-11 02:45:21 I/ConsoleReporter: [6/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testLogoConfiguration pass
-05-11 02:45:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testMenuContent)
-05-11 02:45:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testMenuContent, {})
-05-11 02:45:22 I/ConsoleReporter: [7/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testMenuContent pass
-05-11 02:45:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testMenuOverflowIcon)
-05-11 02:45:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testMenuOverflowIcon, {})
-05-11 02:45:22 I/ConsoleReporter: [8/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testMenuOverflowIcon pass
-05-11 02:45:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testMenuOverflowShowHide)
-05-11 02:45:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testMenuOverflowShowHide, {})
-05-11 02:45:22 I/ConsoleReporter: [9/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testMenuOverflowShowHide pass
-05-11 02:45:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testMenuOverflowSubmenu)
-05-11 02:45:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testMenuOverflowSubmenu, {})
-05-11 02:45:23 I/ConsoleReporter: [10/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testMenuOverflowSubmenu pass
-05-11 02:45:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testNavigationConfiguration)
-05-11 02:45:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testNavigationConfiguration, {})
-05-11 02:45:23 I/ConsoleReporter: [11/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testNavigationConfiguration pass
-05-11 02:45:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testNavigationOnClickListener)
-05-11 02:45:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testNavigationOnClickListener, {})
-05-11 02:45:24 I/ConsoleReporter: [12/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testNavigationOnClickListener pass
-05-11 02:45:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testPopupTheme)
-05-11 02:45:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testPopupTheme, {})
-05-11 02:45:24 I/ConsoleReporter: [13/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testPopupTheme pass
-05-11 02:45:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testSetTitleMargins)
-05-11 02:45:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testSetTitleMargins, {})
-05-11 02:45:24 I/ConsoleReporter: [14/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testSetTitleMargins pass
-05-11 02:45:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testTitleAndSubtitleAppearance)
-05-11 02:45:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testTitleAndSubtitleAppearance, {})
-05-11 02:45:24 I/ConsoleReporter: [15/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testTitleAndSubtitleAppearance pass
-05-11 02:45:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToolbarTest#testTitleAndSubtitleContent)
-05-11 02:45:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToolbarTest#testTitleAndSubtitleContent, {})
-05-11 02:45:25 I/ConsoleReporter: [16/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToolbarTest#testTitleAndSubtitleContent pass
-05-11 02:45:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAccessAnimationStyle)
-05-11 02:45:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAccessAnimationStyle, {})
-05-11 02:45:25 I/ConsoleReporter: [17/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAccessAnimationStyle pass
-05-11 02:45:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAccessBackground)
-05-11 02:45:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAccessBackground, {})
-05-11 02:45:26 I/ConsoleReporter: [18/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAccessBackground pass
-05-11 02:45:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAccessHeight)
-05-11 02:45:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAccessHeight, {})
-05-11 02:45:26 I/ConsoleReporter: [19/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAccessHeight pass
-05-11 02:45:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAccessInputMethodMode)
-05-11 02:45:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAccessInputMethodMode, {})
-05-11 02:45:26 I/ConsoleReporter: [20/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAccessInputMethodMode pass
-05-11 02:45:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAccessSelection)
-05-11 02:45:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAccessSelection, {})
-05-11 02:45:27 I/ConsoleReporter: [21/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAccessSelection pass
-05-11 02:45:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAccessSoftInputMethodMode)
-05-11 02:45:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAccessSoftInputMethodMode, {})
-05-11 02:45:27 I/ConsoleReporter: [22/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAccessSoftInputMethodMode pass
-05-11 02:45:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAccessWidth)
-05-11 02:45:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAccessWidth, {})
-05-11 02:45:28 I/ConsoleReporter: [23/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAccessWidth pass
-05-11 02:45:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAnchoring)
-05-11 02:45:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAnchoring, {})
-05-11 02:45:28 I/ConsoleReporter: [24/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAnchoring pass
-05-11 02:45:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAnchoringWithEndGravity)
-05-11 02:45:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAnchoringWithEndGravity, {})
-05-11 02:45:29 I/ConsoleReporter: [25/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAnchoringWithEndGravity pass
-05-11 02:45:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAnchoringWithHorizontalOffset)
-05-11 02:45:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAnchoringWithHorizontalOffset, {})
-05-11 02:45:29 I/ConsoleReporter: [26/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAnchoringWithHorizontalOffset pass
-05-11 02:45:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAnchoringWithRightGravity)
-05-11 02:45:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAnchoringWithRightGravity, {})
-05-11 02:45:30 I/ConsoleReporter: [27/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAnchoringWithRightGravity pass
-05-11 02:45:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testAnchoringWithVerticalOffset)
-05-11 02:45:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testAnchoringWithVerticalOffset, {})
-05-11 02:45:30 I/ConsoleReporter: [28/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testAnchoringWithVerticalOffset pass
-05-11 02:45:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testConstructor)
-05-11 02:45:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testConstructor, {})
-05-11 02:45:30 I/ConsoleReporter: [29/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testConstructor pass
-05-11 02:45:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testCreateOnDragListener)
-05-11 02:45:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testCreateOnDragListener, {})
-05-11 02:45:31 I/ConsoleReporter: [30/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testCreateOnDragListener pass
-05-11 02:45:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testCustomDismissalWithBackButton)
-05-11 02:45:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testCustomDismissalWithBackButton, {})
-05-11 02:45:32 I/ConsoleReporter: [31/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testCustomDismissalWithBackButton pass
-05-11 02:45:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testDismiss)
-05-11 02:45:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testDismiss, {})
-05-11 02:45:32 I/ConsoleReporter: [32/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testDismiss pass
-05-11 02:45:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testDismissalOutsideModal)
-05-11 02:45:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testDismissalOutsideModal, {})
-05-11 02:45:32 I/ConsoleReporter: [33/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testDismissalOutsideModal pass
-05-11 02:45:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testDismissalOutsideNonModal)
-05-11 02:45:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testDismissalOutsideNonModal, {})
-05-11 02:45:33 I/ConsoleReporter: [34/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testDismissalOutsideNonModal pass
-05-11 02:45:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testItemClicks)
-05-11 02:45:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testItemClicks, {})
-05-11 02:45:33 I/ConsoleReporter: [35/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testItemClicks pass
-05-11 02:45:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testListSelectionWithDPad)
-05-11 02:45:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testListSelectionWithDPad, {})
-05-11 02:45:34 I/ConsoleReporter: [36/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testListSelectionWithDPad pass
-05-11 02:45:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testNoDefaultDismissalWithBackButton)
-05-11 02:45:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testNoDefaultDismissalWithBackButton, {})
-05-11 02:45:34 I/ConsoleReporter: [37/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testNoDefaultDismissalWithBackButton pass
-05-11 02:45:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testNoDefaultVisibility)
-05-11 02:45:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testNoDefaultVisibility, {})
-05-11 02:45:35 I/ConsoleReporter: [38/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testNoDefaultVisibility pass
-05-11 02:45:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testPromptViewAbove)
-05-11 02:45:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testPromptViewAbove, {})
-05-11 02:45:35 I/ConsoleReporter: [39/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testPromptViewAbove pass
-05-11 02:45:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testPromptViewBelow)
-05-11 02:45:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testPromptViewBelow, {})
-05-11 02:45:35 I/ConsoleReporter: [40/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testPromptViewBelow pass
-05-11 02:45:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testSetOnDismissListener)
-05-11 02:45:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testSetOnDismissListener, {})
-05-11 02:45:36 I/ConsoleReporter: [41/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testSetOnDismissListener pass
-05-11 02:45:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListPopupWindowTest#testSetWindowLayoutType)
-05-11 02:45:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListPopupWindowTest#testSetWindowLayoutType, {})
-05-11 02:45:36 I/ConsoleReporter: [42/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListPopupWindowTest#testSetWindowLayoutType pass
-05-11 02:45:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRowTest#testCheckLayoutParams)
-05-11 02:45:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRowTest#testCheckLayoutParams, {})
-05-11 02:45:37 I/ConsoleReporter: [43/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRowTest#testCheckLayoutParams pass
-05-11 02:45:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRowTest#testConstructor)
-05-11 02:45:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRowTest#testConstructor, {})
-05-11 02:45:37 I/ConsoleReporter: [44/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRowTest#testConstructor pass
-05-11 02:45:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRowTest#testGenerateDefaultLayoutParams)
-05-11 02:45:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRowTest#testGenerateDefaultLayoutParams, {})
-05-11 02:45:37 I/ConsoleReporter: [45/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRowTest#testGenerateDefaultLayoutParams pass
-05-11 02:45:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRowTest#testGenerateLayoutParams)
-05-11 02:45:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRowTest#testGenerateLayoutParams, {})
-05-11 02:45:37 I/ConsoleReporter: [46/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRowTest#testGenerateLayoutParams pass
-05-11 02:45:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRowTest#testGenerateLayoutParams2)
-05-11 02:45:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRowTest#testGenerateLayoutParams2, {})
-05-11 02:45:37 I/ConsoleReporter: [47/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRowTest#testGenerateLayoutParams2 pass
-05-11 02:45:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRowTest#testGetVirtualChildAt)
-05-11 02:45:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRowTest#testGetVirtualChildAt, {})
-05-11 02:45:37 I/ConsoleReporter: [48/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRowTest#testGetVirtualChildAt pass
-05-11 02:45:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRowTest#testGetVirtualChildCount)
-05-11 02:45:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRowTest#testGetVirtualChildCount, {})
-05-11 02:45:37 I/ConsoleReporter: [49/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRowTest#testGetVirtualChildCount pass
-05-11 02:45:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRowTest#testOnLayout)
-05-11 02:45:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRowTest#testOnLayout, {})
-05-11 02:45:37 I/ConsoleReporter: [50/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRowTest#testOnLayout pass
-05-11 02:45:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRowTest#testOnMeasure)
-05-11 02:45:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRowTest#testOnMeasure, {})
-05-11 02:45:37 I/ConsoleReporter: [51/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRowTest#testOnMeasure pass
-05-11 02:45:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRowTest#testSetOnHierarchyChangeListener)
-05-11 02:45:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRowTest#testSetOnHierarchyChangeListener, {})
-05-11 02:45:38 I/ConsoleReporter: [52/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRowTest#testSetOnHierarchyChangeListener pass
-05-11 02:45:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testConstructor)
-05-11 02:45:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testConstructor, {})
-05-11 02:45:38 I/ConsoleReporter: [53/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testConstructor pass
-05-11 02:45:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testFindTokenEnd)
-05-11 02:45:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testFindTokenEnd, {})
-05-11 02:45:38 I/ConsoleReporter: [54/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testFindTokenEnd pass
-05-11 02:45:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testFindTokenStart)
-05-11 02:45:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testFindTokenStart, {})
-05-11 02:45:38 I/ConsoleReporter: [55/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testFindTokenStart pass
-05-11 02:45:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testTerminateToken)
-05-11 02:45:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testTerminateToken, {})
-05-11 02:45:38 I/ConsoleReporter: [56/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MultiAutoCompleteTextView_CommaTokenizerTest#testTerminateToken pass
-05-11 02:45:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsActivityTest#testDerivedClass)
-05-11 02:45:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsActivityTest#testDerivedClass, {})
-05-11 02:45:38 I/ConsoleReporter: [57/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsActivityTest#testDerivedClass pass
-05-11 02:45:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsActivityTest#testGood)
-05-11 02:45:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsActivityTest#testGood, {})
-05-11 02:45:38 I/ConsoleReporter: [58/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsActivityTest#testGood pass
-05-11 02:45:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsActivityTest#testWebView)
-05-11 02:45:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsActivityTest#testWebView, {})
-05-11 02:45:38 I/ConsoleReporter: [59/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsActivityTest#testWebView pass
-05-11 02:45:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroup_LayoutParamsTest#testConstructor)
-05-11 02:45:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroup_LayoutParamsTest#testConstructor, {})
-05-11 02:45:39 I/ConsoleReporter: [60/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroup_LayoutParamsTest#testConstructor pass
-05-11 02:45:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroup_LayoutParamsTest#testSetBaseAttributes)
-05-11 02:45:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroup_LayoutParamsTest#testSetBaseAttributes, {})
-05-11 02:45:39 I/ConsoleReporter: [61/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroup_LayoutParamsTest#testSetBaseAttributes pass
-05-11 02:45:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.VideoViewTest#testConstructor)
-05-11 02:45:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.VideoViewTest#testConstructor, {})
-05-11 02:45:39 I/ConsoleReporter: [62/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.VideoViewTest#testConstructor pass
-05-11 02:45:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.VideoViewTest#testGetBufferPercentage)
-05-11 02:45:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.VideoViewTest#testGetBufferPercentage, {})
-05-11 02:45:39 I/ConsoleReporter: [63/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.VideoViewTest#testGetBufferPercentage pass
-05-11 02:45:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.VideoViewTest#testGetDuration)
-05-11 02:45:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.VideoViewTest#testGetDuration, {})
-05-11 02:45:39 I/ConsoleReporter: [64/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.VideoViewTest#testGetDuration pass
-05-11 02:45:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.VideoViewTest#testPlayVideo1)
-05-11 02:45:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.VideoViewTest#testPlayVideo1, {})
-05-11 02:45:40 I/ConsoleReporter: [65/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.VideoViewTest#testPlayVideo1 pass
-05-11 02:45:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.VideoViewTest#testResolveAdjustedSize)
-05-11 02:45:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.VideoViewTest#testResolveAdjustedSize, {})
-05-11 02:45:40 I/ConsoleReporter: [66/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.VideoViewTest#testResolveAdjustedSize pass
-05-11 02:45:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.VideoViewTest#testSetMediaController)
-05-11 02:45:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.VideoViewTest#testSetMediaController, {})
-05-11 02:45:40 I/ConsoleReporter: [67/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.VideoViewTest#testSetMediaController pass
-05-11 02:45:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.VideoViewTest#testSetOnErrorListener)
-05-11 02:45:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.VideoViewTest#testSetOnErrorListener, {})
-05-11 02:45:41 I/ConsoleReporter: [68/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.VideoViewTest#testSetOnErrorListener pass
-05-11 02:45:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testLayoutChildren)
-05-11 02:45:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testLayoutChildren, {})
-05-11 02:45:41 I/ConsoleReporter: [69/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testLayoutChildren pass
-05-11 02:45:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testOnFocusChanged)
-05-11 02:45:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testOnFocusChanged, {})
-05-11 02:45:42 I/ConsoleReporter: [70/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testOnFocusChanged pass
-05-11 02:45:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testOnMeasure)
-05-11 02:45:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testOnMeasure, {})
-05-11 02:45:42 I/ConsoleReporter: [71/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testOnMeasure pass
-05-11 02:45:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testPressKey)
-05-11 02:45:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testPressKey, {})
-05-11 02:45:42 I/ConsoleReporter: [72/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testPressKey pass
-05-11 02:45:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testSetColumnWidth)
-05-11 02:45:43 D/ModuleListener: ModuleListener.testFailed(android.widget.cts.GridViewTest#testSetColumnWidth, java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-)
-05-11 02:45:43 I/ConsoleReporter: [73/834 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testSetColumnWidth fail: java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-
-05-11 02:45:43 I/FailureListener: FailureListener.testFailed android.widget.cts.GridViewTest#testSetColumnWidth false true false
-05-11 02:45:45 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46 with prefix "android.widget.cts.GridViewTest#testSetColumnWidth-logcat_" suffix ".zip"
-05-11 02:45:45 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetColumnWidth-logcat_3823137559188535549.zip
-05-11 02:45:45 I/ResultReporter: Saved logs for android.widget.cts.GridViewTest#testSetColumnWidth-logcat in /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetColumnWidth-logcat_3823137559188535549.zip
-05-11 02:45:45 D/FileUtil: Creating temp file at /tmp/3866195/cts/inv_2979654501700117002 with prefix "android.widget.cts.GridViewTest#testSetColumnWidth-logcat_" suffix ".zip"
-05-11 02:45:45 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:45:45 D/RunUtil: Running [chmod]
-05-11 02:45:45 D/RunUtil: [chmod] command failed. return code 1
-05-11 02:45:45 D/FileUtil: Attempting to chmod /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetColumnWidth-logcat_5611148827857291219.zip to ug+rwx
-05-11 02:45:45 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:45:45 D/RunUtil: Running [chmod, ug+rwx, /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetColumnWidth-logcat_5611148827857291219.zip]
-05-11 02:45:45 I/FileSystemLogSaver: Saved log file /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetColumnWidth-logcat_5611148827857291219.zip
-05-11 02:45:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testSetColumnWidth, {})
-05-11 02:45:45 I/InstrumentationResultParser: test run failed: 'Instrumentation run failed due to 'Process crashed.''
-05-11 02:45:45 D/ModuleListener: ModuleListener.testRunFailed(Instrumentation run failed due to 'Process crashed.')
-05-11 02:45:45 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Instrumentation run failed due to 'Process crashed.'
-05-11 02:45:45 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-05-11 02:45:45 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] x86 CtsWidgetTestCases failed in 0 ms. 72 passed, 1 failed, 761 not executed
-05-11 02:45:45 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack6-host8:22 is already ONLINE
-05-11 02:45:45 I/AndroidNativeDeviceStateMonitor: Waiting 4999 ms for device chromeos2-row4-rack6-host8:22 boot complete
-05-11 02:45:45 I/DeviceStateMonitor: Waiting 4950 ms for device chromeos2-row4-rack6-host8:22 package manager
-05-11 02:45:45 I/AndroidNativeDeviceStateMonitor: Waiting 4167 ms for device chromeos2-row4-rack6-host8:22 external store
-05-11 02:45:46 D/InstrumentationFileTest: Removed test file from device: /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1523747902623775922.txt
-05-11 02:45:46 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest64832327112118011.txt was successfully created
-05-11 02:45:46 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest64832327112118011.txt was successfully pushed to /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest64832327112118011.txt on device
-05-11 02:45:46 I/RemoteAndroidTest: Running am instrument -w -r   -e testFile /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest64832327112118011.txt -e timeout_msec 300000 android.widget.cts/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack6-host8:22
-05-11 02:45:47 D/ModuleListener: ModuleListener.testRunStarted(android.widget.cts, 761)
-05-11 02:45:47 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Continuing x86 CtsWidgetTestCases with 761 tests
-05-11 02:45:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testSetGravity)
-05-11 02:45:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testSetGravity, {})
-05-11 02:45:48 I/ConsoleReporter: [1/761 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testSetGravity pass
-05-11 02:45:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testSetHorizontalSpacing)
-05-11 02:45:48 D/ModuleListener: ModuleListener.testFailed(android.widget.cts.GridViewTest#testSetHorizontalSpacing, java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-)
-05-11 02:45:48 I/ConsoleReporter: [2/761 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testSetHorizontalSpacing fail: java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-
-05-11 02:45:48 I/FailureListener: FailureListener.testFailed android.widget.cts.GridViewTest#testSetHorizontalSpacing false true false
-05-11 02:45:50 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46 with prefix "android.widget.cts.GridViewTest#testSetHorizontalSpacing-logcat_" suffix ".zip"
-05-11 02:45:50 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetHorizontalSpacing-logcat_8624465488243685107.zip
-05-11 02:45:50 I/ResultReporter: Saved logs for android.widget.cts.GridViewTest#testSetHorizontalSpacing-logcat in /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetHorizontalSpacing-logcat_8624465488243685107.zip
-05-11 02:45:50 D/FileUtil: Creating temp file at /tmp/3866195/cts/inv_2979654501700117002 with prefix "android.widget.cts.GridViewTest#testSetHorizontalSpacing-logcat_" suffix ".zip"
-05-11 02:45:50 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:45:50 D/RunUtil: Running [chmod]
-05-11 02:45:50 D/RunUtil: [chmod] command failed. return code 1
-05-11 02:45:50 D/FileUtil: Attempting to chmod /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetHorizontalSpacing-logcat_2845581993300163474.zip to ug+rwx
-05-11 02:45:50 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:45:50 D/RunUtil: Running [chmod, ug+rwx, /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetHorizontalSpacing-logcat_2845581993300163474.zip]
-05-11 02:45:50 I/FileSystemLogSaver: Saved log file /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetHorizontalSpacing-logcat_2845581993300163474.zip
-05-11 02:45:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testSetHorizontalSpacing, {})
-05-11 02:45:50 I/InstrumentationResultParser: test run failed: 'Instrumentation run failed due to 'Process crashed.''
-05-11 02:45:50 D/ModuleListener: ModuleListener.testRunFailed(Instrumentation run failed due to 'Process crashed.')
-05-11 02:45:50 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Instrumentation run failed due to 'Process crashed.'
-05-11 02:45:50 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-05-11 02:45:50 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] x86 CtsWidgetTestCases failed in 0 ms. 1 passed, 1 failed, 759 not executed
-05-11 02:45:50 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack6-host8:22 is already ONLINE
-05-11 02:45:50 I/AndroidNativeDeviceStateMonitor: Waiting 5000 ms for device chromeos2-row4-rack6-host8:22 boot complete
-05-11 02:45:50 I/DeviceStateMonitor: Waiting 4930 ms for device chromeos2-row4-rack6-host8:22 package manager
-05-11 02:45:51 I/AndroidNativeDeviceStateMonitor: Waiting 4194 ms for device chromeos2-row4-rack6-host8:22 external store
-05-11 02:45:51 D/InstrumentationFileTest: Removed test file from device: /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest64832327112118011.txt
-05-11 02:45:51 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest5221730797393075993.txt was successfully created
-05-11 02:45:51 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest5221730797393075993.txt was successfully pushed to /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest5221730797393075993.txt on device
-05-11 02:45:51 I/RemoteAndroidTest: Running am instrument -w -r   -e testFile /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest5221730797393075993.txt -e timeout_msec 300000 android.widget.cts/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack6-host8:22
-05-11 02:45:53 D/ModuleListener: ModuleListener.testRunStarted(android.widget.cts, 759)
-05-11 02:45:53 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Continuing x86 CtsWidgetTestCases with 759 tests
-05-11 02:45:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL)
-05-11 02:45:53 D/ModuleListener: ModuleListener.testFailed(android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL, java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-)
-05-11 02:45:53 I/ConsoleReporter: [1/759 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL fail: java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-
-05-11 02:45:53 I/FailureListener: FailureListener.testFailed android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL false true false
-05-11 02:45:55 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46 with prefix "android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL-logcat_" suffix ".zip"
-05-11 02:45:55 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL-logcat_4066283479561966579.zip
-05-11 02:45:55 I/ResultReporter: Saved logs for android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL-logcat in /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL-logcat_4066283479561966579.zip
-05-11 02:45:55 D/FileUtil: Creating temp file at /tmp/3866195/cts/inv_2979654501700117002 with prefix "android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL-logcat_" suffix ".zip"
-05-11 02:45:55 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:45:55 D/RunUtil: Running [chmod]
-05-11 02:45:55 D/RunUtil: [chmod] command failed. return code 1
-05-11 02:45:55 D/FileUtil: Attempting to chmod /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL-logcat_7231038723920887555.zip to ug+rwx
-05-11 02:45:55 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:45:55 D/RunUtil: Running [chmod, ug+rwx, /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL-logcat_7231038723920887555.zip]
-05-11 02:45:55 I/FileSystemLogSaver: Saved log file /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL-logcat_7231038723920887555.zip
-05-11 02:45:55 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testSetHorizontalSpacingRTL, {})
-05-11 02:45:55 I/InstrumentationResultParser: test run failed: 'Instrumentation run failed due to 'Process crashed.''
-05-11 02:45:55 D/ModuleListener: ModuleListener.testRunFailed(Instrumentation run failed due to 'Process crashed.')
-05-11 02:45:55 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Instrumentation run failed due to 'Process crashed.'
-05-11 02:45:55 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-05-11 02:45:55 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] x86 CtsWidgetTestCases failed in 0 ms. 0 passed, 1 failed, 758 not executed
-05-11 02:45:55 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack6-host8:22 is already ONLINE
-05-11 02:45:55 I/AndroidNativeDeviceStateMonitor: Waiting 5000 ms for device chromeos2-row4-rack6-host8:22 boot complete
-05-11 02:45:55 I/DeviceStateMonitor: Waiting 4931 ms for device chromeos2-row4-rack6-host8:22 package manager
-05-11 02:45:56 I/AndroidNativeDeviceStateMonitor: Waiting 4238 ms for device chromeos2-row4-rack6-host8:22 external store
-05-11 02:45:56 D/InstrumentationFileTest: Removed test file from device: /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest5221730797393075993.txt
-05-11 02:45:56 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1982989761653499140.txt was successfully created
-05-11 02:45:56 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1982989761653499140.txt was successfully pushed to /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1982989761653499140.txt on device
-05-11 02:45:56 I/RemoteAndroidTest: Running am instrument -w -r   -e testFile /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1982989761653499140.txt -e timeout_msec 300000 android.widget.cts/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack6-host8:22
-05-11 02:45:57 D/ModuleListener: ModuleListener.testRunStarted(android.widget.cts, 758)
-05-11 02:45:57 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Continuing x86 CtsWidgetTestCases with 758 tests
-05-11 02:45:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testSetNumColumns)
-05-11 02:45:58 D/ModuleListener: ModuleListener.testFailed(android.widget.cts.GridViewTest#testSetNumColumns, java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-)
-05-11 02:45:58 I/ConsoleReporter: [1/758 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testSetNumColumns fail: java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-
-05-11 02:45:58 I/FailureListener: FailureListener.testFailed android.widget.cts.GridViewTest#testSetNumColumns false true false
-05-11 02:46:00 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46 with prefix "android.widget.cts.GridViewTest#testSetNumColumns-logcat_" suffix ".zip"
-05-11 02:46:00 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetNumColumns-logcat_785959205628037821.zip
-05-11 02:46:00 I/ResultReporter: Saved logs for android.widget.cts.GridViewTest#testSetNumColumns-logcat in /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetNumColumns-logcat_785959205628037821.zip
-05-11 02:46:00 D/FileUtil: Creating temp file at /tmp/3866195/cts/inv_2979654501700117002 with prefix "android.widget.cts.GridViewTest#testSetNumColumns-logcat_" suffix ".zip"
-05-11 02:46:00 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:46:00 D/RunUtil: Running [chmod]
-05-11 02:46:00 D/RunUtil: [chmod] command failed. return code 1
-05-11 02:46:00 D/FileUtil: Attempting to chmod /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetNumColumns-logcat_6392933953429225373.zip to ug+rwx
-05-11 02:46:00 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:46:00 D/RunUtil: Running [chmod, ug+rwx, /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetNumColumns-logcat_6392933953429225373.zip]
-05-11 02:46:00 I/FileSystemLogSaver: Saved log file /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetNumColumns-logcat_6392933953429225373.zip
-05-11 02:46:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testSetNumColumns, {})
-05-11 02:46:00 D/ModuleListener: ModuleListener.testFailed(android.widget.cts.GridViewTest#testSetNumColumns, java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-)
-05-11 02:46:00 I/ConsoleReporter: [1/758 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testSetNumColumns fail: java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-
-05-11 02:46:00 I/FailureListener: FailureListener.testFailed android.widget.cts.GridViewTest#testSetNumColumns false true false
-05-11 02:46:02 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46 with prefix "android.widget.cts.GridViewTest#testSetNumColumns-logcat_" suffix ".zip"
-05-11 02:46:02 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetNumColumns-logcat_1039958710869314616.zip
-05-11 02:46:02 I/ResultReporter: Saved logs for android.widget.cts.GridViewTest#testSetNumColumns-logcat in /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetNumColumns-logcat_1039958710869314616.zip
-05-11 02:46:02 D/FileUtil: Creating temp file at /tmp/3866195/cts/inv_2979654501700117002 with prefix "android.widget.cts.GridViewTest#testSetNumColumns-logcat_" suffix ".zip"
-05-11 02:46:02 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:46:02 D/RunUtil: Running [chmod]
-05-11 02:46:02 D/RunUtil: [chmod] command failed. return code 1
-05-11 02:46:02 D/FileUtil: Attempting to chmod /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetNumColumns-logcat_8991133858487373846.zip to ug+rwx
-05-11 02:46:02 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:46:02 D/RunUtil: Running [chmod, ug+rwx, /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetNumColumns-logcat_8991133858487373846.zip]
-05-11 02:46:02 I/FileSystemLogSaver: Saved log file /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetNumColumns-logcat_8991133858487373846.zip
-05-11 02:46:02 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testSetNumColumns, {})
-05-11 02:46:02 I/InstrumentationResultParser: test run failed: 'Instrumentation run failed due to 'Process crashed.''
-05-11 02:46:02 D/ModuleListener: ModuleListener.testRunFailed(Instrumentation run failed due to 'Process crashed.')
-05-11 02:46:02 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Instrumentation run failed due to 'Process crashed.'
-05-11 02:46:02 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-05-11 02:46:02 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] x86 CtsWidgetTestCases failed in 0 ms. 0 passed, 2 failed, 757 not executed
-05-11 02:46:02 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack6-host8:22 is already ONLINE
-05-11 02:46:02 I/AndroidNativeDeviceStateMonitor: Waiting 5000 ms for device chromeos2-row4-rack6-host8:22 boot complete
-05-11 02:46:02 I/DeviceStateMonitor: Waiting 4928 ms for device chromeos2-row4-rack6-host8:22 package manager
-05-11 02:46:03 I/AndroidNativeDeviceStateMonitor: Waiting 4186 ms for device chromeos2-row4-rack6-host8:22 external store
-05-11 02:46:03 D/InstrumentationFileTest: Removed test file from device: /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest1982989761653499140.txt
-05-11 02:46:03 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest8012247299189589063.txt was successfully created
-05-11 02:46:03 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest8012247299189589063.txt was successfully pushed to /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest8012247299189589063.txt on device
-05-11 02:46:03 I/RemoteAndroidTest: Running am instrument -w -r   -e testFile /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest8012247299189589063.txt -e timeout_msec 300000 android.widget.cts/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack6-host8:22
-05-11 02:46:05 D/ModuleListener: ModuleListener.testRunStarted(android.widget.cts, 757)
-05-11 02:46:05 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Continuing x86 CtsWidgetTestCases with 757 tests
-05-11 02:46:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testSetSelection)
-05-11 02:46:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testSetSelection, {})
-05-11 02:46:05 I/ConsoleReporter: [1/757 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testSetSelection pass
-05-11 02:46:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testSetVerticalSpacing)
-05-11 02:46:05 D/ModuleListener: ModuleListener.testFailed(android.widget.cts.GridViewTest#testSetVerticalSpacing, java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-)
-05-11 02:46:05 I/ConsoleReporter: [2/757 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testSetVerticalSpacing fail: java.lang.NullPointerException: Attempt to invoke virtual method 'android.content.res.Resources android.content.Context.getResources()' on a null object reference
-at android.view.ViewConfiguration.get(ViewConfiguration.java:360)
-at android.view.View.<init>(View.java:4022)
-at android.widget.ImageView.<init>(ImageView.java:141)
-at android.widget.cts.GridViewTest$MockGridViewAdapter.getView(GridViewTest.java:778)
-at android.widget.AbsListView.obtainView(AbsListView.java:2363)
-at android.widget.GridView.onMeasure(GridView.java:1065)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.ActionBarOverlayLayout.onMeasure(ActionBarOverlayLayout.java:446)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at com.android.internal.widget.DecorCaptionView.onMeasure(DecorCaptionView.java:645)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewGroup.measureChildWithMargins(ViewGroup.java:6082)
-at android.widget.FrameLayout.onMeasure(FrameLayout.java:185)
-at com.android.internal.policy.DecorView.onMeasure(DecorView.java:692)
-at android.view.View.measure(View.java:19857)
-at android.view.ViewRootImpl.performMeasure(ViewRootImpl.java:2271)
-at android.view.ViewRootImpl.measureHierarchy(ViewRootImpl.java:1367)
-at android.view.ViewRootImpl.performTraversals(ViewRootImpl.java:1615)
-at android.view.ViewRootImpl.doTraversal(ViewRootImpl.java:1255)
-at android.view.ViewRootImpl$TraversalRunnable.run(ViewRootImpl.java:6332)
-at android.view.Choreographer$CallbackRecord.run(Choreographer.java:874)
-at android.view.Choreographer.doCallbacks(Choreographer.java:686)
-at android.view.Choreographer.doFrame(Choreographer.java:621)
-at android.view.Choreographer$FrameDisplayEventReceiver.run(Choreographer.java:860)
-at android.os.Handler.handleCallback(Handler.java:751)
-at android.os.Handler.dispatchMessage(Handler.java:95)
-at android.os.Looper.loop(Looper.java:154)
-at android.app.ActivityThread.main(ActivityThread.java:6283)
-at java.lang.reflect.Method.invoke(Native Method)
-at com.android.internal.os.ZygoteInit$MethodAndArgsCaller.run(ZygoteInit.java:886)
-at com.android.internal.os.ZygoteInit.main(ZygoteInit.java:776)
-
-05-11 02:46:05 I/FailureListener: FailureListener.testFailed android.widget.cts.GridViewTest#testSetVerticalSpacing false true false
-05-11 02:46:07 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46 with prefix "android.widget.cts.GridViewTest#testSetVerticalSpacing-logcat_" suffix ".zip"
-05-11 02:46:07 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetVerticalSpacing-logcat_4977544435897575269.zip
-05-11 02:46:07 I/ResultReporter: Saved logs for android.widget.cts.GridViewTest#testSetVerticalSpacing-logcat in /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.GridViewTest#testSetVerticalSpacing-logcat_4977544435897575269.zip
-05-11 02:46:07 D/FileUtil: Creating temp file at /tmp/3866195/cts/inv_2979654501700117002 with prefix "android.widget.cts.GridViewTest#testSetVerticalSpacing-logcat_" suffix ".zip"
-05-11 02:46:07 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:46:07 D/RunUtil: Running [chmod]
-05-11 02:46:07 D/RunUtil: [chmod] command failed. return code 1
-05-11 02:46:07 D/FileUtil: Attempting to chmod /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetVerticalSpacing-logcat_4480242265672587110.zip to ug+rwx
-05-11 02:46:07 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:46:07 D/RunUtil: Running [chmod, ug+rwx, /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetVerticalSpacing-logcat_4480242265672587110.zip]
-05-11 02:46:07 I/FileSystemLogSaver: Saved log file /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.GridViewTest#testSetVerticalSpacing-logcat_4480242265672587110.zip
-05-11 02:46:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testSetVerticalSpacing, {})
-05-11 02:46:07 I/InstrumentationResultParser: test run failed: 'Instrumentation run failed due to 'Process crashed.''
-05-11 02:46:07 D/ModuleListener: ModuleListener.testRunFailed(Instrumentation run failed due to 'Process crashed.')
-05-11 02:46:07 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Instrumentation run failed due to 'Process crashed.'
-05-11 02:46:07 D/ModuleListener: ModuleListener.testRunEnded(0, {})
-05-11 02:46:07 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] x86 CtsWidgetTestCases failed in 0 ms. 1 passed, 1 failed, 755 not executed
-05-11 02:46:07 I/AndroidNativeDeviceStateMonitor: Device chromeos2-row4-rack6-host8:22 is already ONLINE
-05-11 02:46:07 I/AndroidNativeDeviceStateMonitor: Waiting 5000 ms for device chromeos2-row4-rack6-host8:22 boot complete
-05-11 02:46:07 I/DeviceStateMonitor: Waiting 4924 ms for device chromeos2-row4-rack6-host8:22 package manager
-05-11 02:46:08 I/AndroidNativeDeviceStateMonitor: Waiting 4185 ms for device chromeos2-row4-rack6-host8:22 external store
-05-11 02:46:08 D/InstrumentationFileTest: Removed test file from device: /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest8012247299189589063.txt
-05-11 02:46:08 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest2366151549040962634.txt was successfully created
-05-11 02:46:09 D/InstrumentationFileTest: Test file /tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest2366151549040962634.txt was successfully pushed to /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest2366151549040962634.txt on device
-05-11 02:46:09 I/RemoteAndroidTest: Running am instrument -w -r   -e testFile /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest2366151549040962634.txt -e timeout_msec 300000 android.widget.cts/android.support.test.runner.AndroidJUnitRunner on google-reef-chromeos2-row4-rack6-host8:22
-05-11 02:46:10 D/ModuleListener: ModuleListener.testRunStarted(android.widget.cts, 755)
-05-11 02:46:10 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] Continuing x86 CtsWidgetTestCases with 755 tests
-05-11 02:46:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.GridViewTest#testActivityTestCaseSetUpProperly)
-05-11 02:46:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.GridViewTest#testActivityTestCaseSetUpProperly, {})
-05-11 02:46:10 I/ConsoleReporter: [1/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.GridViewTest#testActivityTestCaseSetUpProperly pass
-05-11 02:46:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testAccessCursorToStringConverter)
-05-11 02:46:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testAccessCursorToStringConverter, {})
-05-11 02:46:10 I/ConsoleReporter: [2/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testAccessCursorToStringConverter pass
-05-11 02:46:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testAccessStringConversionColumn)
-05-11 02:46:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testAccessStringConversionColumn, {})
-05-11 02:46:10 I/ConsoleReporter: [3/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testAccessStringConversionColumn pass
-05-11 02:46:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testAccessViewBinder)
-05-11 02:46:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testAccessViewBinder, {})
-05-11 02:46:10 I/ConsoleReporter: [4/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testAccessViewBinder pass
-05-11 02:46:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testBindView)
-05-11 02:46:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testBindView, {})
-05-11 02:46:10 I/ConsoleReporter: [5/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testBindView pass
-05-11 02:46:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testChangeCursor)
-05-11 02:46:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testChangeCursor, {})
-05-11 02:46:11 I/ConsoleReporter: [6/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testChangeCursor pass
-05-11 02:46:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testChangeCursorAndColumns)
-05-11 02:46:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testChangeCursorAndColumns, {})
-05-11 02:46:11 I/ConsoleReporter: [7/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testChangeCursorAndColumns pass
-05-11 02:46:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testConstructor)
-05-11 02:46:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testConstructor, {})
-05-11 02:46:11 I/ConsoleReporter: [8/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testConstructor pass
-05-11 02:46:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testConvertToString)
-05-11 02:46:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testConvertToString, {})
-05-11 02:46:11 I/ConsoleReporter: [9/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testConvertToString pass
-05-11 02:46:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testNewDropDownView)
-05-11 02:46:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testNewDropDownView, {})
-05-11 02:46:11 I/ConsoleReporter: [10/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testNewDropDownView pass
-05-11 02:46:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testNewView)
-05-11 02:46:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testNewView, {})
-05-11 02:46:11 I/ConsoleReporter: [11/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testNewView pass
-05-11 02:46:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testSetViewImage)
-05-11 02:46:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testSetViewImage, {})
-05-11 02:46:11 I/ConsoleReporter: [12/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testSetViewImage pass
-05-11 02:46:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorAdapterTest#testSetViewText)
-05-11 02:46:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorAdapterTest#testSetViewText, {})
-05-11 02:46:11 I/ConsoleReporter: [13/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorAdapterTest#testSetViewText pass
-05-11 02:46:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupMenuTest#testAccessGravity)
-05-11 02:46:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupMenuTest#testAccessGravity, {})
-05-11 02:46:11 I/ConsoleReporter: [14/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupMenuTest#testAccessGravity pass
-05-11 02:46:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupMenuTest#testConstructorWithGravity)
-05-11 02:46:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupMenuTest#testConstructorWithGravity, {})
-05-11 02:46:12 I/ConsoleReporter: [15/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupMenuTest#testConstructorWithGravity pass
-05-11 02:46:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupMenuTest#testDirectPopulate)
-05-11 02:46:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupMenuTest#testDirectPopulate, {})
-05-11 02:46:12 I/ConsoleReporter: [16/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupMenuTest#testDirectPopulate pass
-05-11 02:46:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupMenuTest#testDismissalViaAPI)
-05-11 02:46:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupMenuTest#testDismissalViaAPI, {})
-05-11 02:46:13 I/ConsoleReporter: [17/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupMenuTest#testDismissalViaAPI pass
-05-11 02:46:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupMenuTest#testDismissalViaTouch)
-05-11 02:46:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupMenuTest#testDismissalViaTouch, {})
-05-11 02:46:13 I/ConsoleReporter: [18/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupMenuTest#testDismissalViaTouch pass
-05-11 02:46:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupMenuTest#testNestedDismissalViaAPI)
-05-11 02:46:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupMenuTest#testNestedDismissalViaAPI, {})
-05-11 02:46:14 I/ConsoleReporter: [19/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupMenuTest#testNestedDismissalViaAPI pass
-05-11 02:46:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupMenuTest#testPopulateViaInflater)
-05-11 02:46:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupMenuTest#testPopulateViaInflater, {})
-05-11 02:46:14 I/ConsoleReporter: [20/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupMenuTest#testPopulateViaInflater pass
-05-11 02:46:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupMenuTest#testSimpleMenuItemClickViaAPI)
-05-11 02:46:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupMenuTest#testSimpleMenuItemClickViaAPI, {})
-05-11 02:46:15 I/ConsoleReporter: [21/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupMenuTest#testSimpleMenuItemClickViaAPI pass
-05-11 02:46:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupMenuTest#testSubMenuClickViaAPI)
-05-11 02:46:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupMenuTest#testSubMenuClickViaAPI, {})
-05-11 02:46:15 I/ConsoleReporter: [22/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupMenuTest#testSubMenuClickViaAPI pass
-05-11 02:46:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testAreAllItemsEnabled)
-05-11 02:46:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testAreAllItemsEnabled, {})
-05-11 02:46:15 I/ConsoleReporter: [23/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testAreAllItemsEnabled pass
-05-11 02:46:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testConstructor)
-05-11 02:46:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testConstructor, {})
-05-11 02:46:15 I/ConsoleReporter: [24/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testConstructor pass
-05-11 02:46:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testGetCount)
-05-11 02:46:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testGetCount, {})
-05-11 02:46:15 I/ConsoleReporter: [25/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testGetCount pass
-05-11 02:46:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testGetFilter)
-05-11 02:46:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testGetFilter, {})
-05-11 02:46:15 I/ConsoleReporter: [26/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testGetFilter pass
-05-11 02:46:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testGetFootersCount)
-05-11 02:46:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testGetFootersCount, {})
-05-11 02:46:15 I/ConsoleReporter: [27/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testGetFootersCount pass
-05-11 02:46:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testGetHeadersCount)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testGetHeadersCount, {})
-05-11 02:46:16 I/ConsoleReporter: [28/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testGetHeadersCount pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testGetItem)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testGetItem, {})
-05-11 02:46:16 I/ConsoleReporter: [29/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testGetItem pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testGetItemId)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testGetItemId, {})
-05-11 02:46:16 I/ConsoleReporter: [30/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testGetItemId pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testGetItemViewType)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testGetItemViewType, {})
-05-11 02:46:16 I/ConsoleReporter: [31/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testGetItemViewType pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testGetView)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testGetView, {})
-05-11 02:46:16 I/ConsoleReporter: [32/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testGetView pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testGetViewTypeCount)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testGetViewTypeCount, {})
-05-11 02:46:16 I/ConsoleReporter: [33/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testGetViewTypeCount pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testGetWrappedAdapter)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testGetWrappedAdapter, {})
-05-11 02:46:16 I/ConsoleReporter: [34/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testGetWrappedAdapter pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testHasStableIds)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testHasStableIds, {})
-05-11 02:46:16 I/ConsoleReporter: [35/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testHasStableIds pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testIsEmpty)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testIsEmpty, {})
-05-11 02:46:16 I/ConsoleReporter: [36/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testIsEmpty pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testIsEnabled)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testIsEnabled, {})
-05-11 02:46:16 I/ConsoleReporter: [37/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testIsEnabled pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testRegisterDataSetObserver)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testRegisterDataSetObserver, {})
-05-11 02:46:16 I/ConsoleReporter: [38/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testRegisterDataSetObserver pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testRemoveFooter)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testRemoveFooter, {})
-05-11 02:46:16 I/ConsoleReporter: [39/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testRemoveFooter pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testRemoveHeader)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testRemoveHeader, {})
-05-11 02:46:16 I/ConsoleReporter: [40/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testRemoveHeader pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HeaderViewListAdapterTest#testUnregisterDataSetObserver)
-05-11 02:46:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HeaderViewListAdapterTest#testUnregisterDataSetObserver, {})
-05-11 02:46:16 I/ConsoleReporter: [41/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HeaderViewListAdapterTest#testUnregisterDataSetObserver pass
-05-11 02:46:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MultiAutoCompleteTextViewTest#testConstructor)
-05-11 02:46:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MultiAutoCompleteTextViewTest#testConstructor, {})
-05-11 02:46:17 I/ConsoleReporter: [42/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MultiAutoCompleteTextViewTest#testConstructor pass
-05-11 02:46:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MultiAutoCompleteTextViewTest#testMultiAutoCompleteTextView)
-05-11 02:46:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MultiAutoCompleteTextViewTest#testMultiAutoCompleteTextView, {})
-05-11 02:46:17 I/ConsoleReporter: [43/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MultiAutoCompleteTextViewTest#testMultiAutoCompleteTextView pass
-05-11 02:46:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MultiAutoCompleteTextViewTest#testPerformFiltering)
-05-11 02:46:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MultiAutoCompleteTextViewTest#testPerformFiltering, {})
-05-11 02:46:17 I/ConsoleReporter: [44/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MultiAutoCompleteTextViewTest#testPerformFiltering pass
-05-11 02:46:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MultiAutoCompleteTextViewTest#testPerformValidation)
-05-11 02:46:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MultiAutoCompleteTextViewTest#testPerformValidation, {})
-05-11 02:46:17 I/ConsoleReporter: [45/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MultiAutoCompleteTextViewTest#testPerformValidation pass
-05-11 02:46:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MultiAutoCompleteTextViewTest#testReplaceText)
-05-11 02:46:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MultiAutoCompleteTextViewTest#testReplaceText, {})
-05-11 02:46:17 I/ConsoleReporter: [46/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MultiAutoCompleteTextViewTest#testReplaceText pass
-05-11 02:46:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ResourceCursorAdapterTest#testConstructor)
-05-11 02:46:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ResourceCursorAdapterTest#testConstructor, {})
-05-11 02:46:18 I/ConsoleReporter: [47/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ResourceCursorAdapterTest#testConstructor pass
-05-11 02:46:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ResourceCursorAdapterTest#testNewDropDownView)
-05-11 02:46:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ResourceCursorAdapterTest#testNewDropDownView, {})
-05-11 02:46:18 I/ConsoleReporter: [48/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ResourceCursorAdapterTest#testNewDropDownView pass
-05-11 02:46:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ResourceCursorAdapterTest#testNewView)
-05-11 02:46:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ResourceCursorAdapterTest#testNewView, {})
-05-11 02:46:18 I/ConsoleReporter: [49/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ResourceCursorAdapterTest#testNewView pass
-05-11 02:46:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ResourceCursorAdapterTest#testSetDropDownViewResource)
-05-11 02:46:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ResourceCursorAdapterTest#testSetDropDownViewResource, {})
-05-11 02:46:18 I/ConsoleReporter: [50/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ResourceCursorAdapterTest#testSetDropDownViewResource pass
-05-11 02:46:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ResourceCursorAdapterTest#testSetViewResource)
-05-11 02:46:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ResourceCursorAdapterTest#testSetViewResource, {})
-05-11 02:46:18 I/ConsoleReporter: [51/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ResourceCursorAdapterTest#testSetViewResource pass
-05-11 02:46:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViews_ActionExceptionTest#testConstructor)
-05-11 02:46:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViews_ActionExceptionTest#testConstructor, {})
-05-11 02:46:18 I/ConsoleReporter: [52/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViews_ActionExceptionTest#testConstructor pass
-05-11 02:46:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RatingBarTest#testAccessIndicator)
-05-11 02:46:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RatingBarTest#testAccessIndicator, {})
-05-11 02:46:18 I/ConsoleReporter: [53/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RatingBarTest#testAccessIndicator pass
-05-11 02:46:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RatingBarTest#testAccessNumStars)
-05-11 02:46:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RatingBarTest#testAccessNumStars, {})
-05-11 02:46:18 I/ConsoleReporter: [54/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RatingBarTest#testAccessNumStars pass
-05-11 02:46:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RatingBarTest#testAccessOnRatingBarChangeListener)
-05-11 02:46:19 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RatingBarTest#testAccessOnRatingBarChangeListener, {})
-05-11 02:46:19 I/ConsoleReporter: [55/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RatingBarTest#testAccessOnRatingBarChangeListener pass
-05-11 02:46:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RatingBarTest#testAccessRating)
-05-11 02:46:19 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RatingBarTest#testAccessRating, {})
-05-11 02:46:19 I/ConsoleReporter: [56/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RatingBarTest#testAccessRating pass
-05-11 02:46:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RatingBarTest#testAccessStepSize)
-05-11 02:46:19 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RatingBarTest#testAccessStepSize, {})
-05-11 02:46:19 I/ConsoleReporter: [57/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RatingBarTest#testAccessStepSize pass
-05-11 02:46:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RatingBarTest#testConstructor)
-05-11 02:46:19 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RatingBarTest#testConstructor, {})
-05-11 02:46:19 I/ConsoleReporter: [58/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RatingBarTest#testConstructor pass
-05-11 02:46:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RatingBarTest#testSetMax)
-05-11 02:46:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RatingBarTest#testSetMax, {})
-05-11 02:46:20 I/ConsoleReporter: [59/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RatingBarTest#testSetMax pass
-05-11 02:46:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewFlipperTest#testConstructor)
-05-11 02:46:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewFlipperTest#testConstructor, {})
-05-11 02:46:20 I/ConsoleReporter: [60/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewFlipperTest#testConstructor pass
-05-11 02:46:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewFlipperTest#testSetFlipInterval)
-05-11 02:46:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewFlipperTest#testSetFlipInterval, {})
-05-11 02:46:20 I/ConsoleReporter: [61/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewFlipperTest#testSetFlipInterval pass
-05-11 02:46:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewFlipperTest#testViewFlipper)
-05-11 02:46:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewFlipperTest#testViewFlipper, {})
-05-11 02:46:23 I/ConsoleReporter: [62/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewFlipperTest#testViewFlipper pass
-05-11 02:46:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewFlipperTest#testActivityTestCaseSetUpProperly)
-05-11 02:46:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewFlipperTest#testActivityTestCaseSetUpProperly, {})
-05-11 02:46:23 I/ConsoleReporter: [63/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewFlipperTest#testActivityTestCaseSetUpProperly pass
-05-11 02:46:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TimePickerDialogTest#testConstructor)
-05-11 02:46:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TimePickerDialogTest#testConstructor, {})
-05-11 02:46:24 I/ConsoleReporter: [64/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TimePickerDialogTest#testConstructor pass
-05-11 02:46:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SpinnerTest#testAccessPrompt)
-05-11 02:46:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SpinnerTest#testAccessPrompt, {})
-05-11 02:46:24 I/ConsoleReporter: [65/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SpinnerTest#testAccessPrompt pass
-05-11 02:46:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SpinnerTest#testConstructor)
-05-11 02:46:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SpinnerTest#testConstructor, {})
-05-11 02:46:24 I/ConsoleReporter: [66/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SpinnerTest#testConstructor pass
-05-11 02:46:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SpinnerTest#testGetBaseline)
-05-11 02:46:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SpinnerTest#testGetBaseline, {})
-05-11 02:46:25 I/ConsoleReporter: [67/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SpinnerTest#testGetBaseline pass
-05-11 02:46:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SpinnerTest#testGetPopupContext)
-05-11 02:46:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SpinnerTest#testGetPopupContext, {})
-05-11 02:46:25 I/ConsoleReporter: [68/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SpinnerTest#testGetPopupContext pass
-05-11 02:46:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SpinnerTest#testOnClick)
-05-11 02:46:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SpinnerTest#testOnClick, {})
-05-11 02:46:25 I/ConsoleReporter: [69/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SpinnerTest#testOnClick pass
-05-11 02:46:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SpinnerTest#testOnLayout)
-05-11 02:46:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SpinnerTest#testOnLayout, {})
-05-11 02:46:25 I/ConsoleReporter: [70/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SpinnerTest#testOnLayout pass
-05-11 02:46:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SpinnerTest#testPerformClick)
-05-11 02:46:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SpinnerTest#testPerformClick, {})
-05-11 02:46:26 I/ConsoleReporter: [71/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SpinnerTest#testPerformClick pass
-05-11 02:46:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SpinnerTest#testSetOnItemClickListener)
-05-11 02:46:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SpinnerTest#testSetOnItemClickListener, {})
-05-11 02:46:26 I/ConsoleReporter: [72/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SpinnerTest#testSetOnItemClickListener pass
-05-11 02:46:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SpinnerTest#testSetPromptId)
-05-11 02:46:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SpinnerTest#testSetPromptId, {})
-05-11 02:46:26 I/ConsoleReporter: [73/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SpinnerTest#testSetPromptId pass
-05-11 02:46:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayout_LayoutParamsTest#testConstructor)
-05-11 02:46:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayout_LayoutParamsTest#testConstructor, {})
-05-11 02:46:26 I/ConsoleReporter: [74/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayout_LayoutParamsTest#testConstructor pass
-05-11 02:46:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayout_LayoutParamsTest#testDebug)
-05-11 02:46:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayout_LayoutParamsTest#testDebug, {})
-05-11 02:46:26 I/ConsoleReporter: [75/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayout_LayoutParamsTest#testDebug pass
-05-11 02:46:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testAccessDisplayedChild)
-05-11 02:46:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testAccessDisplayedChild, {})
-05-11 02:46:26 I/ConsoleReporter: [76/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testAccessDisplayedChild pass
-05-11 02:46:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testAccessDisplayedChildBoundary)
-05-11 02:46:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testAccessDisplayedChildBoundary, {})
-05-11 02:46:27 I/ConsoleReporter: [77/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testAccessDisplayedChildBoundary pass
-05-11 02:46:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testAccessInAnimation)
-05-11 02:46:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testAccessInAnimation, {})
-05-11 02:46:27 I/ConsoleReporter: [78/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testAccessInAnimation pass
-05-11 02:46:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testAccessOutAnimation)
-05-11 02:46:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testAccessOutAnimation, {})
-05-11 02:46:27 I/ConsoleReporter: [79/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testAccessOutAnimation pass
-05-11 02:46:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testAddView)
-05-11 02:46:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testAddView, {})
-05-11 02:46:28 I/ConsoleReporter: [80/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testAddView pass
-05-11 02:46:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testConstructor)
-05-11 02:46:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testConstructor, {})
-05-11 02:46:28 I/ConsoleReporter: [81/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testConstructor pass
-05-11 02:46:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testGetBaseline)
-05-11 02:46:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testGetBaseline, {})
-05-11 02:46:28 I/ConsoleReporter: [82/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testGetBaseline pass
-05-11 02:46:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testGetCurrentView)
-05-11 02:46:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testGetCurrentView, {})
-05-11 02:46:29 I/ConsoleReporter: [83/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testGetCurrentView pass
-05-11 02:46:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testRemoveViews)
-05-11 02:46:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testRemoveViews, {})
-05-11 02:46:29 I/ConsoleReporter: [84/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testRemoveViews pass
-05-11 02:46:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testSetAnimateFirstView)
-05-11 02:46:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testSetAnimateFirstView, {})
-05-11 02:46:29 I/ConsoleReporter: [85/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testSetAnimateFirstView pass
-05-11 02:46:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testShowNext)
-05-11 02:46:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testShowNext, {})
-05-11 02:46:29 I/ConsoleReporter: [86/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testShowNext pass
-05-11 02:46:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewAnimatorTest#testShowPrevious)
-05-11 02:46:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewAnimatorTest#testShowPrevious, {})
-05-11 02:46:30 I/ConsoleReporter: [87/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewAnimatorTest#testShowPrevious pass
-05-11 02:46:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayout_LayoutParamsTest#testAccessRule1)
-05-11 02:46:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayout_LayoutParamsTest#testAccessRule1, {})
-05-11 02:46:30 I/ConsoleReporter: [88/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayout_LayoutParamsTest#testAccessRule1 pass
-05-11 02:46:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayout_LayoutParamsTest#testAccessRule2)
-05-11 02:46:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayout_LayoutParamsTest#testAccessRule2, {})
-05-11 02:46:30 I/ConsoleReporter: [89/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayout_LayoutParamsTest#testAccessRule2 pass
-05-11 02:46:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayout_LayoutParamsTest#testConstructor)
-05-11 02:46:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayout_LayoutParamsTest#testConstructor, {})
-05-11 02:46:30 I/ConsoleReporter: [90/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayout_LayoutParamsTest#testConstructor pass
-05-11 02:46:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayout_LayoutParamsTest#testDebug)
-05-11 02:46:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayout_LayoutParamsTest#testDebug, {})
-05-11 02:46:30 I/ConsoleReporter: [91/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayout_LayoutParamsTest#testDebug pass
-05-11 02:46:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayout_LayoutParamsTest#testRemoveRule)
-05-11 02:46:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayout_LayoutParamsTest#testRemoveRule, {})
-05-11 02:46:30 I/ConsoleReporter: [92/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayout_LayoutParamsTest#testRemoveRule pass
-05-11 02:46:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayout_LayoutParamsTest#testStartEnd)
-05-11 02:46:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayout_LayoutParamsTest#testStartEnd, {})
-05-11 02:46:30 I/ConsoleReporter: [93/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayout_LayoutParamsTest#testStartEnd pass
-05-11 02:46:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testAccessBaseline)
-05-11 02:46:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testAccessBaseline, {})
-05-11 02:46:31 I/ConsoleReporter: [94/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testAccessBaseline pass
-05-11 02:46:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testAccessImageMatrix)
-05-11 02:46:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testAccessImageMatrix, {})
-05-11 02:46:31 I/ConsoleReporter: [95/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testAccessImageMatrix pass
-05-11 02:46:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testAccessScaleType)
-05-11 02:46:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testAccessScaleType, {})
-05-11 02:46:31 I/ConsoleReporter: [96/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testAccessScaleType pass
-05-11 02:46:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testAlpha)
-05-11 02:46:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testAlpha, {})
-05-11 02:46:32 I/ConsoleReporter: [97/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testAlpha pass
-05-11 02:46:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testClearColorFilter)
-05-11 02:46:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testClearColorFilter, {})
-05-11 02:46:32 I/ConsoleReporter: [98/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testClearColorFilter pass
-05-11 02:46:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testConstructor)
-05-11 02:46:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testConstructor, {})
-05-11 02:46:33 I/ConsoleReporter: [99/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testConstructor pass
-05-11 02:46:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testDrawableStateChanged)
-05-11 02:46:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testDrawableStateChanged, {})
-05-11 02:46:36 I/ConsoleReporter: [100/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testDrawableStateChanged pass
-05-11 02:46:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testGetDrawable)
-05-11 02:46:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testGetDrawable, {})
-05-11 02:46:37 I/ConsoleReporter: [101/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testGetDrawable pass
-05-11 02:46:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testImageAlpha)
-05-11 02:46:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testImageAlpha, {})
-05-11 02:46:37 I/ConsoleReporter: [102/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testImageAlpha pass
-05-11 02:46:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testImageTintBasics)
-05-11 02:46:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testImageTintBasics, {})
-05-11 02:46:38 I/ConsoleReporter: [103/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testImageTintBasics pass
-05-11 02:46:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testImageTintDrawableUpdates)
-05-11 02:46:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testImageTintDrawableUpdates, {})
-05-11 02:46:38 I/ConsoleReporter: [104/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testImageTintDrawableUpdates pass
-05-11 02:46:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testImageTintVisuals)
-05-11 02:46:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testImageTintVisuals, {})
-05-11 02:46:38 I/ConsoleReporter: [105/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testImageTintVisuals pass
-05-11 02:46:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testInvalidateDrawable)
-05-11 02:46:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testInvalidateDrawable, {})
-05-11 02:46:39 I/ConsoleReporter: [106/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testInvalidateDrawable pass
-05-11 02:46:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testOnCreateDrawableState)
-05-11 02:46:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testOnCreateDrawableState, {})
-05-11 02:46:39 I/ConsoleReporter: [107/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testOnCreateDrawableState pass
-05-11 02:46:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testOnDraw)
-05-11 02:46:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testOnDraw, {})
-05-11 02:46:39 I/ConsoleReporter: [108/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testOnDraw pass
-05-11 02:46:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testOnMeasure)
-05-11 02:46:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testOnMeasure, {})
-05-11 02:46:39 I/ConsoleReporter: [109/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testOnMeasure pass
-05-11 02:46:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetAdjustViewBounds)
-05-11 02:46:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetAdjustViewBounds, {})
-05-11 02:46:40 I/ConsoleReporter: [110/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetAdjustViewBounds pass
-05-11 02:46:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetColorFilter1)
-05-11 02:46:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetColorFilter1, {})
-05-11 02:46:40 I/ConsoleReporter: [111/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetColorFilter1 pass
-05-11 02:46:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetColorFilter2)
-05-11 02:46:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetColorFilter2, {})
-05-11 02:46:40 I/ConsoleReporter: [112/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetColorFilter2 pass
-05-11 02:46:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetFrame)
-05-11 02:46:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetFrame, {})
-05-11 02:46:40 I/ConsoleReporter: [113/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetFrame pass
-05-11 02:46:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetImageBitmap)
-05-11 02:46:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetImageBitmap, {})
-05-11 02:46:41 I/ConsoleReporter: [114/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetImageBitmap pass
-05-11 02:46:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetImageDrawable)
-05-11 02:46:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetImageDrawable, {})
-05-11 02:46:41 I/ConsoleReporter: [115/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetImageDrawable pass
-05-11 02:46:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetImageIcon)
-05-11 02:46:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetImageIcon, {})
-05-11 02:46:41 I/ConsoleReporter: [116/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetImageIcon pass
-05-11 02:46:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetImageLevel)
-05-11 02:46:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetImageLevel, {})
-05-11 02:46:41 I/ConsoleReporter: [117/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetImageLevel pass
-05-11 02:46:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetImageResource)
-05-11 02:46:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetImageResource, {})
-05-11 02:46:42 I/ConsoleReporter: [118/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetImageResource pass
-05-11 02:46:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetImageState)
-05-11 02:46:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetImageState, {})
-05-11 02:46:42 I/ConsoleReporter: [119/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetImageState pass
-05-11 02:46:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetImageURI)
-05-11 02:46:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetImageURI, {})
-05-11 02:46:42 I/ConsoleReporter: [120/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetImageURI pass
-05-11 02:46:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetMaxHeight)
-05-11 02:46:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetMaxHeight, {})
-05-11 02:46:43 I/ConsoleReporter: [121/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetMaxHeight pass
-05-11 02:46:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetMaxWidth)
-05-11 02:46:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetMaxWidth, {})
-05-11 02:46:43 I/ConsoleReporter: [122/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetMaxWidth pass
-05-11 02:46:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testSetSelected)
-05-11 02:46:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testSetSelected, {})
-05-11 02:46:43 I/ConsoleReporter: [123/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testSetSelected pass
-05-11 02:46:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testVerifyDrawable)
-05-11 02:46:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testVerifyDrawable, {})
-05-11 02:46:43 I/ConsoleReporter: [124/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testVerifyDrawable pass
-05-11 02:46:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageViewTest#testActivityTestCaseSetUpProperly)
-05-11 02:46:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageViewTest#testActivityTestCaseSetUpProperly, {})
-05-11 02:46:44 I/ConsoleReporter: [125/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageViewTest#testActivityTestCaseSetUpProperly pass
-05-11 02:46:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testApply)
-05-11 02:46:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testApply, {})
-05-11 02:46:44 I/ConsoleReporter: [126/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testApply pass
-05-11 02:46:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testConstructor)
-05-11 02:46:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testConstructor, {})
-05-11 02:46:44 I/ConsoleReporter: [127/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testConstructor pass
-05-11 02:46:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testDescribeContents)
-05-11 02:46:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testDescribeContents, {})
-05-11 02:46:45 I/ConsoleReporter: [128/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testDescribeContents pass
-05-11 02:46:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testGetLayoutId)
-05-11 02:46:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testGetLayoutId, {})
-05-11 02:46:45 I/ConsoleReporter: [129/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testGetLayoutId pass
-05-11 02:46:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testGetPackage)
-05-11 02:46:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testGetPackage, {})
-05-11 02:46:45 I/ConsoleReporter: [130/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testGetPackage pass
-05-11 02:46:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testNotFeasibleSetters)
-05-11 02:46:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testNotFeasibleSetters, {})
-05-11 02:46:46 I/ConsoleReporter: [131/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testNotFeasibleSetters pass
-05-11 02:46:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testOnLoadClass)
-05-11 02:46:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testOnLoadClass, {})
-05-11 02:46:46 I/ConsoleReporter: [132/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testOnLoadClass pass
-05-11 02:46:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testReapply)
-05-11 02:46:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testReapply, {})
-05-11 02:46:46 I/ConsoleReporter: [133/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testReapply pass
-05-11 02:46:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetBitmap)
-05-11 02:46:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetBitmap, {})
-05-11 02:46:47 I/ConsoleReporter: [134/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetBitmap pass
-05-11 02:46:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetBoolean)
-05-11 02:46:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetBoolean, {})
-05-11 02:46:47 I/ConsoleReporter: [135/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetBoolean pass
-05-11 02:46:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetCharSequence)
-05-11 02:46:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetCharSequence, {})
-05-11 02:46:47 I/ConsoleReporter: [136/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetCharSequence pass
-05-11 02:46:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetChronometer)
-05-11 02:46:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetChronometer, {})
-05-11 02:46:47 I/ConsoleReporter: [137/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetChronometer pass
-05-11 02:46:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetFloat)
-05-11 02:46:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetFloat, {})
-05-11 02:46:47 I/ConsoleReporter: [138/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetFloat pass
-05-11 02:46:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetIcon)
-05-11 02:46:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetIcon, {})
-05-11 02:46:48 I/ConsoleReporter: [139/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetIcon pass
-05-11 02:46:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetImageViewBitmap)
-05-11 02:46:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetImageViewBitmap, {})
-05-11 02:46:48 I/ConsoleReporter: [140/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetImageViewBitmap pass
-05-11 02:46:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetImageViewIcon)
-05-11 02:46:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetImageViewIcon, {})
-05-11 02:46:49 I/ConsoleReporter: [141/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetImageViewIcon pass
-05-11 02:46:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetImageViewResource)
-05-11 02:46:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetImageViewResource, {})
-05-11 02:46:49 I/ConsoleReporter: [142/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetImageViewResource pass
-05-11 02:46:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetImageViewUri)
-05-11 02:46:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetImageViewUri, {})
-05-11 02:46:49 I/ConsoleReporter: [143/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetImageViewUri pass
-05-11 02:46:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetInt)
-05-11 02:46:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetInt, {})
-05-11 02:46:49 I/ConsoleReporter: [144/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetInt pass
-05-11 02:46:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetLong)
-05-11 02:46:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetLong, {})
-05-11 02:46:50 I/ConsoleReporter: [145/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetLong pass
-05-11 02:46:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetOnClickPendingIntent)
-05-11 02:46:55 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetOnClickPendingIntent, {})
-05-11 02:46:55 I/ConsoleReporter: [146/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetOnClickPendingIntent pass
-05-11 02:46:55 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetProgressBar)
-05-11 02:46:56 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetProgressBar, {})
-05-11 02:46:56 I/ConsoleReporter: [147/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetProgressBar pass
-05-11 02:46:56 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetString)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetString, {})
-05-11 02:46:57 I/ConsoleReporter: [148/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetString pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetTextColor)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetTextColor, {})
-05-11 02:46:57 I/ConsoleReporter: [149/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetTextColor pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetTextViewText)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetTextViewText, {})
-05-11 02:46:57 I/ConsoleReporter: [150/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetTextViewText pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetUri)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetUri, {})
-05-11 02:46:57 I/ConsoleReporter: [151/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetUri pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testSetViewVisibility)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testSetViewVisibility, {})
-05-11 02:46:57 I/ConsoleReporter: [152/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testSetViewVisibility pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RemoteViewsTest#testWriteToParcel)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RemoteViewsTest#testWriteToParcel, {})
-05-11 02:46:57 I/ConsoleReporter: [153/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RemoteViewsTest#testWriteToParcel pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testAccessDropDownViewTheme)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testAccessDropDownViewTheme, {})
-05-11 02:46:57 I/ConsoleReporter: [154/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testAccessDropDownViewTheme pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testAccessViewBinder)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testAccessViewBinder, {})
-05-11 02:46:57 I/ConsoleReporter: [155/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testAccessViewBinder pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testConstructor)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testConstructor, {})
-05-11 02:46:57 I/ConsoleReporter: [156/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testConstructor pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testGetCount)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testGetCount, {})
-05-11 02:46:57 I/ConsoleReporter: [157/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testGetCount pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testGetDropDownView)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testGetDropDownView, {})
-05-11 02:46:57 I/ConsoleReporter: [158/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testGetDropDownView pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testGetFilter)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testGetFilter, {})
-05-11 02:46:57 I/ConsoleReporter: [159/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testGetFilter pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testGetItem)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testGetItem, {})
-05-11 02:46:57 I/ConsoleReporter: [160/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testGetItem pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testGetItemId)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testGetItemId, {})
-05-11 02:46:57 I/ConsoleReporter: [161/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testGetItemId pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testGetView)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testGetView, {})
-05-11 02:46:57 I/ConsoleReporter: [162/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testGetView pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testSetDropDownViewResource)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testSetDropDownViewResource, {})
-05-11 02:46:57 I/ConsoleReporter: [163/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testSetDropDownViewResource pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testSetViewImage)
-05-11 02:46:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testSetViewImage, {})
-05-11 02:46:57 I/ConsoleReporter: [164/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testSetViewImage pass
-05-11 02:46:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleAdapterTest#testSetViewText)
-05-11 02:46:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleAdapterTest#testSetViewText, {})
-05-11 02:46:58 I/ConsoleReporter: [165/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleAdapterTest#testSetViewText pass
-05-11 02:46:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorTreeAdapterTest#testBindChildView)
-05-11 02:46:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorTreeAdapterTest#testBindChildView, {})
-05-11 02:46:58 I/ConsoleReporter: [166/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorTreeAdapterTest#testBindChildView pass
-05-11 02:46:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorTreeAdapterTest#testBindGroupView)
-05-11 02:46:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorTreeAdapterTest#testBindGroupView, {})
-05-11 02:46:58 I/ConsoleReporter: [167/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorTreeAdapterTest#testBindGroupView pass
-05-11 02:46:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorTreeAdapterTest#testConstructor)
-05-11 02:46:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorTreeAdapterTest#testConstructor, {})
-05-11 02:46:58 I/ConsoleReporter: [168/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorTreeAdapterTest#testConstructor pass
-05-11 02:46:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleCursorTreeAdapterTest#testSetViewImage)
-05-11 02:46:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleCursorTreeAdapterTest#testSetViewImage, {})
-05-11 02:46:58 I/ConsoleReporter: [169/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleCursorTreeAdapterTest#testSetViewImage pass
-05-11 02:46:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testAccessFillViewport)
-05-11 02:46:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testAccessFillViewport, {})
-05-11 02:46:58 I/ConsoleReporter: [170/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testAccessFillViewport pass
-05-11 02:46:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testAccessSmoothScrollingEnabled)
-05-11 02:46:59 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testAccessSmoothScrollingEnabled, {})
-05-11 02:46:59 I/ConsoleReporter: [171/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testAccessSmoothScrollingEnabled pass
-05-11 02:46:59 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testAddView)
-05-11 02:46:59 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testAddView, {})
-05-11 02:46:59 I/ConsoleReporter: [172/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testAddView pass
-05-11 02:46:59 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testAddViewWithIndex)
-05-11 02:47:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testAddViewWithIndex, {})
-05-11 02:47:00 I/ConsoleReporter: [173/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testAddViewWithIndex pass
-05-11 02:47:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testAddViewWithIndexAndLayoutParams)
-05-11 02:47:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testAddViewWithIndexAndLayoutParams, {})
-05-11 02:47:00 I/ConsoleReporter: [174/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testAddViewWithIndexAndLayoutParams pass
-05-11 02:47:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testAddViewWithLayoutParams)
-05-11 02:47:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testAddViewWithLayoutParams, {})
-05-11 02:47:00 I/ConsoleReporter: [175/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testAddViewWithLayoutParams pass
-05-11 02:47:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testArrowScroll)
-05-11 02:47:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testArrowScroll, {})
-05-11 02:47:01 I/ConsoleReporter: [176/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testArrowScroll pass
-05-11 02:47:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testComputeHorizontalScrollRange)
-05-11 02:47:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testComputeHorizontalScrollRange, {})
-05-11 02:47:01 I/ConsoleReporter: [177/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testComputeHorizontalScrollRange pass
-05-11 02:47:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testComputeScroll)
-05-11 02:47:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testComputeScroll, {})
-05-11 02:47:01 I/ConsoleReporter: [178/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testComputeScroll pass
-05-11 02:47:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testComputeScrollDeltaToGetChildRectOnScreen)
-05-11 02:47:02 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testComputeScrollDeltaToGetChildRectOnScreen, {})
-05-11 02:47:02 I/ConsoleReporter: [179/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testComputeScrollDeltaToGetChildRectOnScreen pass
-05-11 02:47:02 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testConstructor)
-05-11 02:47:02 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testConstructor, {})
-05-11 02:47:02 I/ConsoleReporter: [180/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testConstructor pass
-05-11 02:47:02 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testDispatchKeyEvent)
-05-11 02:47:02 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testDispatchKeyEvent, {})
-05-11 02:47:02 I/ConsoleReporter: [181/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testDispatchKeyEvent pass
-05-11 02:47:02 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testExecuteKeyEvent)
-05-11 02:47:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testExecuteKeyEvent, {})
-05-11 02:47:03 I/ConsoleReporter: [182/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testExecuteKeyEvent pass
-05-11 02:47:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testFillViewport)
-05-11 02:47:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testFillViewport, {})
-05-11 02:47:04 I/ConsoleReporter: [183/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testFillViewport pass
-05-11 02:47:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testFillViewportWithChildMargins)
-05-11 02:47:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testFillViewportWithChildMargins, {})
-05-11 02:47:04 I/ConsoleReporter: [184/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testFillViewportWithChildMargins pass
-05-11 02:47:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testFillViewportWithChildMarginsAlreadyFills)
-05-11 02:47:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testFillViewportWithChildMarginsAlreadyFills, {})
-05-11 02:47:04 I/ConsoleReporter: [185/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testFillViewportWithChildMarginsAlreadyFills pass
-05-11 02:47:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testFillViewportWithScrollViewPadding)
-05-11 02:47:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testFillViewportWithScrollViewPadding, {})
-05-11 02:47:04 I/ConsoleReporter: [186/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testFillViewportWithScrollViewPadding pass
-05-11 02:47:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testFillViewportWithScrollViewPaddingAlreadyFills)
-05-11 02:47:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testFillViewportWithScrollViewPaddingAlreadyFills, {})
-05-11 02:47:04 I/ConsoleReporter: [187/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testFillViewportWithScrollViewPaddingAlreadyFills pass
-05-11 02:47:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testFling)
-05-11 02:47:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testFling, {})
-05-11 02:47:04 I/ConsoleReporter: [188/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testFling pass
-05-11 02:47:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testFullScroll)
-05-11 02:47:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testFullScroll, {})
-05-11 02:47:06 I/ConsoleReporter: [189/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testFullScroll pass
-05-11 02:47:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testGetHorizontalFadingEdgeStrengths)
-05-11 02:47:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testGetHorizontalFadingEdgeStrengths, {})
-05-11 02:47:06 I/ConsoleReporter: [190/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testGetHorizontalFadingEdgeStrengths pass
-05-11 02:47:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testGetMaxScrollAmount)
-05-11 02:47:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testGetMaxScrollAmount, {})
-05-11 02:47:06 I/ConsoleReporter: [191/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testGetMaxScrollAmount pass
-05-11 02:47:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testMeasureChild)
-05-11 02:47:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testMeasureChild, {})
-05-11 02:47:06 I/ConsoleReporter: [192/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testMeasureChild pass
-05-11 02:47:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testMeasureChildWithMargins)
-05-11 02:47:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testMeasureChildWithMargins, {})
-05-11 02:47:06 I/ConsoleReporter: [193/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testMeasureChildWithMargins pass
-05-11 02:47:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testMeasureSpecs)
-05-11 02:47:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testMeasureSpecs, {})
-05-11 02:47:08 I/ConsoleReporter: [194/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testMeasureSpecs pass
-05-11 02:47:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithMargins)
-05-11 02:47:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithMargins, {})
-05-11 02:47:09 I/ConsoleReporter: [195/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithMargins pass
-05-11 02:47:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithMarginsAndNoHintWidth)
-05-11 02:47:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithMarginsAndNoHintWidth, {})
-05-11 02:47:09 I/ConsoleReporter: [196/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithMarginsAndNoHintWidth pass
-05-11 02:47:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithMarginsAndPadding)
-05-11 02:47:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithMarginsAndPadding, {})
-05-11 02:47:09 I/ConsoleReporter: [197/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithMarginsAndPadding pass
-05-11 02:47:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithPadding)
-05-11 02:47:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithPadding, {})
-05-11 02:47:10 I/ConsoleReporter: [198/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testMeasureSpecsWithPadding pass
-05-11 02:47:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testOnInterceptTouchEvent)
-05-11 02:47:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testOnInterceptTouchEvent, {})
-05-11 02:47:10 I/ConsoleReporter: [199/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testOnInterceptTouchEvent pass
-05-11 02:47:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testOnLayout)
-05-11 02:47:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testOnLayout, {})
-05-11 02:47:10 I/ConsoleReporter: [200/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testOnLayout pass
-05-11 02:47:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testOnMeasure)
-05-11 02:47:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testOnMeasure, {})
-05-11 02:47:11 I/ConsoleReporter: [201/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testOnMeasure pass
-05-11 02:47:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testOnRequestFocusInDescendants)
-05-11 02:47:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testOnRequestFocusInDescendants, {})
-05-11 02:47:11 I/ConsoleReporter: [202/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testOnRequestFocusInDescendants pass
-05-11 02:47:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testOnSizeChanged)
-05-11 02:47:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testOnSizeChanged, {})
-05-11 02:47:11 I/ConsoleReporter: [203/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testOnSizeChanged pass
-05-11 02:47:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testOnTouchEvent)
-05-11 02:47:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testOnTouchEvent, {})
-05-11 02:47:11 I/ConsoleReporter: [204/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testOnTouchEvent pass
-05-11 02:47:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testPageScroll)
-05-11 02:47:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testPageScroll, {})
-05-11 02:47:12 I/ConsoleReporter: [205/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testPageScroll pass
-05-11 02:47:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testRequestChildFocus)
-05-11 02:47:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testRequestChildFocus, {})
-05-11 02:47:12 I/ConsoleReporter: [206/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testRequestChildFocus pass
-05-11 02:47:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testRequestChildRectangleOnScreen)
-05-11 02:47:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testRequestChildRectangleOnScreen, {})
-05-11 02:47:13 I/ConsoleReporter: [207/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testRequestChildRectangleOnScreen pass
-05-11 02:47:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testRequestLayout)
-05-11 02:47:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testRequestLayout, {})
-05-11 02:47:13 I/ConsoleReporter: [208/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testRequestLayout pass
-05-11 02:47:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testScrollTo)
-05-11 02:47:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testScrollTo, {})
-05-11 02:47:13 I/ConsoleReporter: [209/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testScrollTo pass
-05-11 02:47:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testSmoothScrollBy)
-05-11 02:47:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testSmoothScrollBy, {})
-05-11 02:47:14 I/ConsoleReporter: [210/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testSmoothScrollBy pass
-05-11 02:47:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.HorizontalScrollViewTest#testSmoothScrollTo)
-05-11 02:47:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.HorizontalScrollViewTest#testSmoothScrollTo, {})
-05-11 02:47:15 I/ConsoleReporter: [211/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.HorizontalScrollViewTest#testSmoothScrollTo pass
-05-11 02:47:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LayoutDirectionTest#testDirectionForAllLayoutsWithCode)
-05-11 02:47:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LayoutDirectionTest#testDirectionForAllLayoutsWithCode, {})
-05-11 02:47:15 I/ConsoleReporter: [212/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LayoutDirectionTest#testDirectionForAllLayoutsWithCode pass
-05-11 02:47:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LayoutDirectionTest#testDirectionFromXml)
-05-11 02:47:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LayoutDirectionTest#testDirectionFromXml, {})
-05-11 02:47:15 I/ConsoleReporter: [213/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LayoutDirectionTest#testDirectionFromXml pass
-05-11 02:47:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LayoutDirectionTest#testDirectionInheritanceForAllLayoutsWithCode)
-05-11 02:47:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LayoutDirectionTest#testDirectionInheritanceForAllLayoutsWithCode, {})
-05-11 02:47:16 I/ConsoleReporter: [214/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LayoutDirectionTest#testDirectionInheritanceForAllLayoutsWithCode pass
-05-11 02:47:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LayoutDirectionTest#testLayoutDirectionDefaults)
-05-11 02:47:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LayoutDirectionTest#testLayoutDirectionDefaults, {})
-05-11 02:47:16 I/ConsoleReporter: [215/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LayoutDirectionTest#testLayoutDirectionDefaults pass
-05-11 02:47:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testAccessAdapter)
-05-11 02:47:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testAccessAdapter, {})
-05-11 02:47:16 I/ConsoleReporter: [216/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testAccessAdapter pass
-05-11 02:47:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testAccessDivider)
-05-11 02:47:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testAccessDivider, {})
-05-11 02:47:17 I/ConsoleReporter: [217/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testAccessDivider pass
-05-11 02:47:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testAccessDividerHeight)
-05-11 02:47:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testAccessDividerHeight, {})
-05-11 02:47:17 I/ConsoleReporter: [218/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testAccessDividerHeight pass
-05-11 02:47:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testAccessFooterView)
-05-11 02:47:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testAccessFooterView, {})
-05-11 02:47:17 I/ConsoleReporter: [219/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testAccessFooterView pass
-05-11 02:47:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testAccessHeaderView)
-05-11 02:47:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testAccessHeaderView, {})
-05-11 02:47:18 I/ConsoleReporter: [220/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testAccessHeaderView pass
-05-11 02:47:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testAccessItemChecked)
-05-11 02:47:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testAccessItemChecked, {})
-05-11 02:47:18 I/ConsoleReporter: [221/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testAccessItemChecked pass
-05-11 02:47:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testAccessItemsCanFocus)
-05-11 02:47:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testAccessItemsCanFocus, {})
-05-11 02:47:18 I/ConsoleReporter: [222/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testAccessItemsCanFocus pass
-05-11 02:47:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testCanAnimate)
-05-11 02:47:19 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testCanAnimate, {})
-05-11 02:47:19 I/ConsoleReporter: [223/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testCanAnimate pass
-05-11 02:47:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testConstructor)
-05-11 02:47:19 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testConstructor, {})
-05-11 02:47:19 I/ConsoleReporter: [224/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testConstructor pass
-05-11 02:47:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testDispatchDraw)
-05-11 02:47:19 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testDispatchDraw, {})
-05-11 02:47:19 I/ConsoleReporter: [225/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testDispatchDraw pass
-05-11 02:47:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testDispatchKeyEvent)
-05-11 02:47:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testDispatchKeyEvent, {})
-05-11 02:47:20 I/ConsoleReporter: [226/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testDispatchKeyEvent pass
-05-11 02:47:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testFindViewTraversal)
-05-11 02:47:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testFindViewTraversal, {})
-05-11 02:47:20 I/ConsoleReporter: [227/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testFindViewTraversal pass
-05-11 02:47:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testFindViewWithTagTraversal)
-05-11 02:47:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testFindViewWithTagTraversal, {})
-05-11 02:47:20 I/ConsoleReporter: [228/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testFindViewWithTagTraversal pass
-05-11 02:47:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testFullDetachHeaderViewOnRelayout)
-05-11 02:47:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testFullDetachHeaderViewOnRelayout, {})
-05-11 02:47:21 I/ConsoleReporter: [229/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testFullDetachHeaderViewOnRelayout pass
-05-11 02:47:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testFullDetachHeaderViewOnScroll)
-05-11 02:47:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testFullDetachHeaderViewOnScroll, {})
-05-11 02:47:21 I/ConsoleReporter: [230/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testFullDetachHeaderViewOnScroll pass
-05-11 02:47:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testFullDetachHeaderViewOnScrollForFocus)
-05-11 02:47:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testFullDetachHeaderViewOnScrollForFocus, {})
-05-11 02:47:22 I/ConsoleReporter: [231/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testFullDetachHeaderViewOnScrollForFocus pass
-05-11 02:47:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testFullyDetachUnusedViewOnReLayout)
-05-11 02:47:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testFullyDetachUnusedViewOnReLayout, {})
-05-11 02:47:22 I/ConsoleReporter: [232/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testFullyDetachUnusedViewOnReLayout pass
-05-11 02:47:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testFullyDetachUnusedViewOnScroll)
-05-11 02:47:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testFullyDetachUnusedViewOnScroll, {})
-05-11 02:47:22 I/ConsoleReporter: [233/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testFullyDetachUnusedViewOnScroll pass
-05-11 02:47:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testFullyDetachUnusedViewOnScrollForFocus)
-05-11 02:47:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testFullyDetachUnusedViewOnScrollForFocus, {})
-05-11 02:47:23 I/ConsoleReporter: [234/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testFullyDetachUnusedViewOnScrollForFocus pass
-05-11 02:47:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testGetMaxScrollAmount)
-05-11 02:47:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testGetMaxScrollAmount, {})
-05-11 02:47:23 I/ConsoleReporter: [235/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testGetMaxScrollAmount pass
-05-11 02:47:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testHeaderFooterType)
-05-11 02:47:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testHeaderFooterType, {})
-05-11 02:47:24 I/ConsoleReporter: [236/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testHeaderFooterType pass
-05-11 02:47:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testJumpDrawables)
-05-11 02:47:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testJumpDrawables, {})
-05-11 02:47:24 I/ConsoleReporter: [237/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testJumpDrawables pass
-05-11 02:47:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testLayoutChildren)
-05-11 02:47:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testLayoutChildren, {})
-05-11 02:47:25 I/ConsoleReporter: [238/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testLayoutChildren pass
-05-11 02:47:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testNoSelectableItems)
-05-11 02:47:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testNoSelectableItems, {})
-05-11 02:47:25 I/ConsoleReporter: [239/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testNoSelectableItems pass
-05-11 02:47:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testOnFinishInflate)
-05-11 02:47:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testOnFinishInflate, {})
-05-11 02:47:25 I/ConsoleReporter: [240/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testOnFinishInflate pass
-05-11 02:47:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testOnFocusChanged)
-05-11 02:47:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testOnFocusChanged, {})
-05-11 02:47:26 I/ConsoleReporter: [241/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testOnFocusChanged pass
-05-11 02:47:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testOnKeyUpDown)
-05-11 02:47:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testOnKeyUpDown, {})
-05-11 02:47:26 I/ConsoleReporter: [242/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testOnKeyUpDown pass
-05-11 02:47:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testOnMeasure)
-05-11 02:47:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testOnMeasure, {})
-05-11 02:47:26 I/ConsoleReporter: [243/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testOnMeasure pass
-05-11 02:47:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testOnTouchEvent)
-05-11 02:47:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testOnTouchEvent, {})
-05-11 02:47:26 I/ConsoleReporter: [244/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testOnTouchEvent pass
-05-11 02:47:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testPerformItemClick)
-05-11 02:47:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testPerformItemClick, {})
-05-11 02:47:27 I/ConsoleReporter: [245/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testPerformItemClick pass
-05-11 02:47:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testRequestChildRectangleOnScreen)
-05-11 02:47:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testRequestChildRectangleOnScreen, {})
-05-11 02:47:27 I/ConsoleReporter: [246/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testRequestChildRectangleOnScreen pass
-05-11 02:47:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testRequestLayoutCallsMeasure)
-05-11 02:47:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testRequestLayoutCallsMeasure, {})
-05-11 02:47:28 I/ConsoleReporter: [247/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testRequestLayoutCallsMeasure pass
-05-11 02:47:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testRequestLayoutWithTemporaryDetach)
-05-11 02:47:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testRequestLayoutWithTemporaryDetach, {})
-05-11 02:47:28 I/ConsoleReporter: [248/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testRequestLayoutWithTemporaryDetach pass
-05-11 02:47:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testResolveRtlOnReAttach)
-05-11 02:47:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testResolveRtlOnReAttach, {})
-05-11 02:47:28 I/ConsoleReporter: [249/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testResolveRtlOnReAttach pass
-05-11 02:47:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testSaveAndRestoreInstanceState)
-05-11 02:47:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testSaveAndRestoreInstanceState, {})
-05-11 02:47:29 I/ConsoleReporter: [250/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testSaveAndRestoreInstanceState pass
-05-11 02:47:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testSetPadding)
-05-11 02:47:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testSetPadding, {})
-05-11 02:47:29 I/ConsoleReporter: [251/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testSetPadding pass
-05-11 02:47:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testSetSelection)
-05-11 02:47:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testSetSelection, {})
-05-11 02:47:29 I/ConsoleReporter: [252/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testSetSelection pass
-05-11 02:47:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testTransientStateStableIds)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testTransientStateStableIds, {})
-05-11 02:47:30 I/ConsoleReporter: [253/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testTransientStateStableIds pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ListViewTest#testTransientStateUnstableIds)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ListViewTest#testTransientStateUnstableIds, {})
-05-11 02:47:30 I/ConsoleReporter: [254/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ListViewTest#testTransientStateUnstableIds pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testConstructor)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testConstructor, {})
-05-11 02:47:30 I/ConsoleReporter: [255/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testConstructor pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testGetChild)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testGetChild, {})
-05-11 02:47:30 I/ConsoleReporter: [256/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testGetChild pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testGetChildId)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testGetChildId, {})
-05-11 02:47:30 I/ConsoleReporter: [257/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testGetChildId pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testGetChildView)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testGetChildView, {})
-05-11 02:47:30 I/ConsoleReporter: [258/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testGetChildView pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testGetChildrenCount)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testGetChildrenCount, {})
-05-11 02:47:30 I/ConsoleReporter: [259/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testGetChildrenCount pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testGetGroup)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testGetGroup, {})
-05-11 02:47:30 I/ConsoleReporter: [260/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testGetGroup pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testGetGroupCount)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testGetGroupCount, {})
-05-11 02:47:30 I/ConsoleReporter: [261/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testGetGroupCount pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testGetGroupId)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testGetGroupId, {})
-05-11 02:47:30 I/ConsoleReporter: [262/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testGetGroupId pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testGetGroupView)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testGetGroupView, {})
-05-11 02:47:30 I/ConsoleReporter: [263/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testGetGroupView pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testHasStableIds)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testHasStableIds, {})
-05-11 02:47:30 I/ConsoleReporter: [264/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testHasStableIds pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testIsChildSelectable)
-05-11 02:47:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testIsChildSelectable, {})
-05-11 02:47:30 I/ConsoleReporter: [265/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testIsChildSelectable pass
-05-11 02:47:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testNewChildView)
-05-11 02:47:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testNewChildView, {})
-05-11 02:47:31 I/ConsoleReporter: [266/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testNewChildView pass
-05-11 02:47:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SimpleExpandableListAdapterTest#testNewGroupView)
-05-11 02:47:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SimpleExpandableListAdapterTest#testNewGroupView, {})
-05-11 02:47:31 I/ConsoleReporter: [267/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SimpleExpandableListAdapterTest#testNewGroupView pass
-05-11 02:47:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextSwitcherTest#testAddView)
-05-11 02:47:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextSwitcherTest#testAddView, {})
-05-11 02:47:31 I/ConsoleReporter: [268/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextSwitcherTest#testAddView pass
-05-11 02:47:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextSwitcherTest#testConstructor)
-05-11 02:47:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextSwitcherTest#testConstructor, {})
-05-11 02:47:31 I/ConsoleReporter: [269/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextSwitcherTest#testConstructor pass
-05-11 02:47:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextSwitcherTest#testSetCurrentText)
-05-11 02:47:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextSwitcherTest#testSetCurrentText, {})
-05-11 02:47:31 I/ConsoleReporter: [270/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextSwitcherTest#testSetCurrentText pass
-05-11 02:47:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextSwitcherTest#testSetText)
-05-11 02:47:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextSwitcherTest#testSetText, {})
-05-11 02:47:31 I/ConsoleReporter: [271/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextSwitcherTest#testSetText pass
-05-11 02:47:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SwitchTest#testAccessThumbTint)
-05-11 02:47:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SwitchTest#testAccessThumbTint, {})
-05-11 02:47:31 I/ConsoleReporter: [272/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SwitchTest#testAccessThumbTint pass
-05-11 02:47:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SwitchTest#testAccessTrackTint)
-05-11 02:47:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SwitchTest#testAccessTrackTint, {})
-05-11 02:47:31 I/ConsoleReporter: [273/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SwitchTest#testAccessTrackTint pass
-05-11 02:47:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SwitchTest#testConstructor)
-05-11 02:47:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SwitchTest#testConstructor, {})
-05-11 02:47:32 I/ConsoleReporter: [274/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SwitchTest#testConstructor pass
-05-11 02:47:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SwitchTest#testActivityTestCaseSetUpProperly)
-05-11 02:47:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SwitchTest#testActivityTestCaseSetUpProperly, {})
-05-11 02:47:32 I/ConsoleReporter: [275/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SwitchTest#testActivityTestCaseSetUpProperly pass
-05-11 02:47:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TwoLineListItemTest#testConstructor)
-05-11 02:47:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TwoLineListItemTest#testConstructor, {})
-05-11 02:47:32 I/ConsoleReporter: [276/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TwoLineListItemTest#testConstructor pass
-05-11 02:47:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TwoLineListItemTest#testGetTexts)
-05-11 02:47:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TwoLineListItemTest#testGetTexts, {})
-05-11 02:47:33 I/ConsoleReporter: [277/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TwoLineListItemTest#testGetTexts pass
-05-11 02:47:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TwoLineListItemTest#testOnFinishInflate)
-05-11 02:47:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TwoLineListItemTest#testOnFinishInflate, {})
-05-11 02:47:33 I/ConsoleReporter: [278/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TwoLineListItemTest#testOnFinishInflate pass
-05-11 02:47:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TwoLineListItemTest#testActivityTestCaseSetUpProperly)
-05-11 02:47:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TwoLineListItemTest#testActivityTestCaseSetUpProperly, {})
-05-11 02:47:33 I/ConsoleReporter: [279/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TwoLineListItemTest#testActivityTestCaseSetUpProperly pass
-05-11 02:47:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ResourceCursorTreeAdapterTest#testConstructor)
-05-11 02:47:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ResourceCursorTreeAdapterTest#testConstructor, {})
-05-11 02:47:33 I/ConsoleReporter: [280/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ResourceCursorTreeAdapterTest#testConstructor pass
-05-11 02:47:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ResourceCursorTreeAdapterTest#testNewChildView)
-05-11 02:47:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ResourceCursorTreeAdapterTest#testNewChildView, {})
-05-11 02:47:33 I/ConsoleReporter: [281/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ResourceCursorTreeAdapterTest#testNewChildView pass
-05-11 02:47:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ResourceCursorTreeAdapterTest#testNewGroupView)
-05-11 02:47:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ResourceCursorTreeAdapterTest#testNewGroupView, {})
-05-11 02:47:33 I/ConsoleReporter: [282/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ResourceCursorTreeAdapterTest#testNewGroupView pass
-05-11 02:47:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageButtonTest#testConstructor)
-05-11 02:47:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageButtonTest#testConstructor, {})
-05-11 02:47:33 I/ConsoleReporter: [283/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageButtonTest#testConstructor pass
-05-11 02:47:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageButtonTest#testOnSetAlpha)
-05-11 02:47:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageButtonTest#testOnSetAlpha, {})
-05-11 02:47:33 I/ConsoleReporter: [284/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageButtonTest#testOnSetAlpha pass
-05-11 02:47:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testAccessBaselineAligned)
-05-11 02:47:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testAccessBaselineAligned, {})
-05-11 02:47:33 I/ConsoleReporter: [285/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testAccessBaselineAligned pass
-05-11 02:47:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testAccessBaselineAlignedChildIndex)
-05-11 02:47:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testAccessBaselineAlignedChildIndex, {})
-05-11 02:47:34 I/ConsoleReporter: [286/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testAccessBaselineAlignedChildIndex pass
-05-11 02:47:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testAccessWeightSum)
-05-11 02:47:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testAccessWeightSum, {})
-05-11 02:47:34 I/ConsoleReporter: [287/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testAccessWeightSum pass
-05-11 02:47:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testCheckLayoutParams)
-05-11 02:47:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testCheckLayoutParams, {})
-05-11 02:47:34 I/ConsoleReporter: [288/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testCheckLayoutParams pass
-05-11 02:47:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testConstructor)
-05-11 02:47:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testConstructor, {})
-05-11 02:47:35 I/ConsoleReporter: [289/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testConstructor pass
-05-11 02:47:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testGenerateDefaultLayoutParams)
-05-11 02:47:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testGenerateDefaultLayoutParams, {})
-05-11 02:47:35 I/ConsoleReporter: [290/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testGenerateDefaultLayoutParams pass
-05-11 02:47:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testGenerateLayoutParams)
-05-11 02:47:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testGenerateLayoutParams, {})
-05-11 02:47:35 I/ConsoleReporter: [291/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testGenerateLayoutParams pass
-05-11 02:47:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testGenerateLayoutParamsFromMarginParams)
-05-11 02:47:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testGenerateLayoutParamsFromMarginParams, {})
-05-11 02:47:36 I/ConsoleReporter: [292/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testGenerateLayoutParamsFromMarginParams pass
-05-11 02:47:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testGetBaseline)
-05-11 02:47:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testGetBaseline, {})
-05-11 02:47:36 I/ConsoleReporter: [293/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testGetBaseline pass
-05-11 02:47:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testLayoutHorizontal)
-05-11 02:47:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testLayoutHorizontal, {})
-05-11 02:47:36 I/ConsoleReporter: [294/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testLayoutHorizontal pass
-05-11 02:47:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testLayoutVertical)
-05-11 02:47:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testLayoutVertical, {})
-05-11 02:47:37 I/ConsoleReporter: [295/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testLayoutVertical pass
-05-11 02:47:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testVisibilityAffectsLayout)
-05-11 02:47:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testVisibilityAffectsLayout, {})
-05-11 02:47:37 I/ConsoleReporter: [296/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testVisibilityAffectsLayout pass
-05-11 02:47:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testWeightDistribution)
-05-11 02:47:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testWeightDistribution, {})
-05-11 02:47:37 I/ConsoleReporter: [297/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testWeightDistribution pass
-05-11 02:47:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.LinearLayoutTest#testActivityTestCaseSetUpProperly)
-05-11 02:47:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.LinearLayoutTest#testActivityTestCaseSetUpProperly, {})
-05-11 02:47:37 I/ConsoleReporter: [298/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.LinearLayoutTest#testActivityTestCaseSetUpProperly pass
-05-11 02:47:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHost_TabSpecTest#testSetContent1)
-05-11 02:47:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHost_TabSpecTest#testSetContent1, {})
-05-11 02:47:38 I/ConsoleReporter: [299/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHost_TabSpecTest#testSetContent1 pass
-05-11 02:47:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHost_TabSpecTest#testSetContent2)
-05-11 02:47:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHost_TabSpecTest#testSetContent2, {})
-05-11 02:47:38 I/ConsoleReporter: [300/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHost_TabSpecTest#testSetContent2 pass
-05-11 02:47:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHost_TabSpecTest#testSetContent3)
-05-11 02:47:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHost_TabSpecTest#testSetContent3, {})
-05-11 02:47:38 I/ConsoleReporter: [301/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHost_TabSpecTest#testSetContent3 pass
-05-11 02:47:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHost_TabSpecTest#testSetIndicator1)
-05-11 02:47:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHost_TabSpecTest#testSetIndicator1, {})
-05-11 02:47:38 I/ConsoleReporter: [302/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHost_TabSpecTest#testSetIndicator1 pass
-05-11 02:47:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHost_TabSpecTest#testSetIndicator2)
-05-11 02:47:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHost_TabSpecTest#testSetIndicator2, {})
-05-11 02:47:39 I/ConsoleReporter: [303/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHost_TabSpecTest#testSetIndicator2 pass
-05-11 02:47:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioButtonTest#testConstructor)
-05-11 02:47:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioButtonTest#testConstructor, {})
-05-11 02:47:39 I/ConsoleReporter: [304/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioButtonTest#testConstructor pass
-05-11 02:47:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioButtonTest#testToggle)
-05-11 02:47:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioButtonTest#testToggle, {})
-05-11 02:47:39 I/ConsoleReporter: [305/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioButtonTest#testToggle pass
-05-11 02:47:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRow_LayoutParamsTest#testConstructor)
-05-11 02:47:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRow_LayoutParamsTest#testConstructor, {})
-05-11 02:47:39 I/ConsoleReporter: [306/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRow_LayoutParamsTest#testConstructor pass
-05-11 02:47:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableRow_LayoutParamsTest#testSetBaseAttributes)
-05-11 02:47:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableRow_LayoutParamsTest#testSetBaseAttributes, {})
-05-11 02:47:39 I/ConsoleReporter: [307/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableRow_LayoutParamsTest#testSetBaseAttributes pass
-05-11 02:47:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testAccessFillViewport)
-05-11 02:47:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testAccessFillViewport, {})
-05-11 02:47:40 I/ConsoleReporter: [308/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testAccessFillViewport pass
-05-11 02:47:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testAccessSmoothScrollingEnabled)
-05-11 02:47:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testAccessSmoothScrollingEnabled, {})
-05-11 02:47:40 I/ConsoleReporter: [309/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testAccessSmoothScrollingEnabled pass
-05-11 02:47:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testAddView)
-05-11 02:47:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testAddView, {})
-05-11 02:47:40 I/ConsoleReporter: [310/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testAddView pass
-05-11 02:47:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testAddViewWithIndex)
-05-11 02:47:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testAddViewWithIndex, {})
-05-11 02:47:41 I/ConsoleReporter: [311/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testAddViewWithIndex pass
-05-11 02:47:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testAddViewWithIndexAndLayoutParams)
-05-11 02:47:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testAddViewWithIndexAndLayoutParams, {})
-05-11 02:47:41 I/ConsoleReporter: [312/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testAddViewWithIndexAndLayoutParams pass
-05-11 02:47:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testAddViewWithLayoutParams)
-05-11 02:47:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testAddViewWithLayoutParams, {})
-05-11 02:47:41 I/ConsoleReporter: [313/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testAddViewWithLayoutParams pass
-05-11 02:47:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testArrowScroll)
-05-11 02:47:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testArrowScroll, {})
-05-11 02:47:42 I/ConsoleReporter: [314/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testArrowScroll pass
-05-11 02:47:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testComputeScroll)
-05-11 02:47:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testComputeScroll, {})
-05-11 02:47:42 I/ConsoleReporter: [315/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testComputeScroll pass
-05-11 02:47:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testComputeScrollDeltaToGetChildRectOnScreen)
-05-11 02:47:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testComputeScrollDeltaToGetChildRectOnScreen, {})
-05-11 02:47:42 I/ConsoleReporter: [316/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testComputeScrollDeltaToGetChildRectOnScreen pass
-05-11 02:47:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testComputeVerticalScrollRange)
-05-11 02:47:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testComputeVerticalScrollRange, {})
-05-11 02:47:43 I/ConsoleReporter: [317/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testComputeVerticalScrollRange pass
-05-11 02:47:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testConstructor)
-05-11 02:47:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testConstructor, {})
-05-11 02:47:43 I/ConsoleReporter: [318/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testConstructor pass
-05-11 02:47:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testDispatchKeyEvent)
-05-11 02:47:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testDispatchKeyEvent, {})
-05-11 02:47:44 I/ConsoleReporter: [319/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testDispatchKeyEvent pass
-05-11 02:47:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testExecuteKeyEvent)
-05-11 02:47:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testExecuteKeyEvent, {})
-05-11 02:47:44 I/ConsoleReporter: [320/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testExecuteKeyEvent pass
-05-11 02:47:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testFillViewport)
-05-11 02:47:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testFillViewport, {})
-05-11 02:47:44 I/ConsoleReporter: [321/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testFillViewport pass
-05-11 02:47:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testFillViewportWithChildMargins)
-05-11 02:47:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testFillViewportWithChildMargins, {})
-05-11 02:47:44 I/ConsoleReporter: [322/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testFillViewportWithChildMargins pass
-05-11 02:47:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testFillViewportWithChildMarginsAlreadyFills)
-05-11 02:47:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testFillViewportWithChildMarginsAlreadyFills, {})
-05-11 02:47:45 I/ConsoleReporter: [323/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testFillViewportWithChildMarginsAlreadyFills pass
-05-11 02:47:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testFillViewportWithScrollViewPadding)
-05-11 02:47:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testFillViewportWithScrollViewPadding, {})
-05-11 02:47:45 I/ConsoleReporter: [324/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testFillViewportWithScrollViewPadding pass
-05-11 02:47:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testFillViewportWithScrollViewPaddingAlreadyFills)
-05-11 02:47:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testFillViewportWithScrollViewPaddingAlreadyFills, {})
-05-11 02:47:45 I/ConsoleReporter: [325/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testFillViewportWithScrollViewPaddingAlreadyFills pass
-05-11 02:47:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testFling)
-05-11 02:47:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testFling, {})
-05-11 02:47:46 I/ConsoleReporter: [326/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testFling pass
-05-11 02:47:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testFullScroll)
-05-11 02:47:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testFullScroll, {})
-05-11 02:47:46 I/ConsoleReporter: [327/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testFullScroll pass
-05-11 02:47:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testGetMaxScrollAmount)
-05-11 02:47:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testGetMaxScrollAmount, {})
-05-11 02:47:46 I/ConsoleReporter: [328/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testGetMaxScrollAmount pass
-05-11 02:47:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testGetVerticalFadingEdgeStrengths)
-05-11 02:47:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testGetVerticalFadingEdgeStrengths, {})
-05-11 02:47:47 I/ConsoleReporter: [329/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testGetVerticalFadingEdgeStrengths pass
-05-11 02:47:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testMeasureChild)
-05-11 02:47:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testMeasureChild, {})
-05-11 02:47:47 I/ConsoleReporter: [330/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testMeasureChild pass
-05-11 02:47:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testMeasureChildWithMargins)
-05-11 02:47:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testMeasureChildWithMargins, {})
-05-11 02:47:47 I/ConsoleReporter: [331/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testMeasureChildWithMargins pass
-05-11 02:47:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testMeasureSpecs)
-05-11 02:47:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testMeasureSpecs, {})
-05-11 02:47:50 I/ConsoleReporter: [332/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testMeasureSpecs pass
-05-11 02:47:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testMeasureSpecsWithMargins)
-05-11 02:47:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testMeasureSpecsWithMargins, {})
-05-11 02:47:50 I/ConsoleReporter: [333/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testMeasureSpecsWithMargins pass
-05-11 02:47:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testMeasureSpecsWithMarginsAndNoHintWidth)
-05-11 02:47:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testMeasureSpecsWithMarginsAndNoHintWidth, {})
-05-11 02:47:50 I/ConsoleReporter: [334/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testMeasureSpecsWithMarginsAndNoHintWidth pass
-05-11 02:47:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testMeasureSpecsWithMarginsAndPadding)
-05-11 02:47:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testMeasureSpecsWithMarginsAndPadding, {})
-05-11 02:47:50 I/ConsoleReporter: [335/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testMeasureSpecsWithMarginsAndPadding pass
-05-11 02:47:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testMeasureSpecsWithPadding)
-05-11 02:47:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testMeasureSpecsWithPadding, {})
-05-11 02:47:50 I/ConsoleReporter: [336/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testMeasureSpecsWithPadding pass
-05-11 02:47:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testOnInterceptTouchEvent)
-05-11 02:47:51 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testOnInterceptTouchEvent, {})
-05-11 02:47:51 I/ConsoleReporter: [337/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testOnInterceptTouchEvent pass
-05-11 02:47:51 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testOnLayout)
-05-11 02:47:51 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testOnLayout, {})
-05-11 02:47:51 I/ConsoleReporter: [338/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testOnLayout pass
-05-11 02:47:51 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testOnMeasure)
-05-11 02:47:51 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testOnMeasure, {})
-05-11 02:47:51 I/ConsoleReporter: [339/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testOnMeasure pass
-05-11 02:47:51 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testOnRequestFocusInDescendants)
-05-11 02:47:52 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testOnRequestFocusInDescendants, {})
-05-11 02:47:52 I/ConsoleReporter: [340/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testOnRequestFocusInDescendants pass
-05-11 02:47:52 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testOnSizeChanged)
-05-11 02:47:52 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testOnSizeChanged, {})
-05-11 02:47:52 I/ConsoleReporter: [341/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testOnSizeChanged pass
-05-11 02:47:52 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testOnTouchEvent)
-05-11 02:47:52 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testOnTouchEvent, {})
-05-11 02:47:52 I/ConsoleReporter: [342/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testOnTouchEvent pass
-05-11 02:47:52 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testPageScroll)
-05-11 02:47:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testPageScroll, {})
-05-11 02:47:53 I/ConsoleReporter: [343/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testPageScroll pass
-05-11 02:47:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testRequestChildFocus)
-05-11 02:47:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testRequestChildFocus, {})
-05-11 02:47:53 I/ConsoleReporter: [344/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testRequestChildFocus pass
-05-11 02:47:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testRequestChildRectangleOnScreen)
-05-11 02:47:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testRequestChildRectangleOnScreen, {})
-05-11 02:47:53 I/ConsoleReporter: [345/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testRequestChildRectangleOnScreen pass
-05-11 02:47:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testRequestLayout)
-05-11 02:47:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testRequestLayout, {})
-05-11 02:47:54 I/ConsoleReporter: [346/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testRequestLayout pass
-05-11 02:47:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testScrollTo)
-05-11 02:47:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testScrollTo, {})
-05-11 02:47:54 I/ConsoleReporter: [347/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testScrollTo pass
-05-11 02:47:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testSmoothScrollBy)
-05-11 02:47:55 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testSmoothScrollBy, {})
-05-11 02:47:55 I/ConsoleReporter: [348/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testSmoothScrollBy pass
-05-11 02:47:55 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollViewTest#testSmoothScrollTo)
-05-11 02:47:56 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollViewTest#testSmoothScrollTo, {})
-05-11 02:47:56 I/ConsoleReporter: [349/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollViewTest#testSmoothScrollTo pass
-05-11 02:47:56 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testAnimateOpenAndClose)
-05-11 02:47:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testAnimateOpenAndClose, {})
-05-11 02:47:57 I/ConsoleReporter: [350/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testAnimateOpenAndClose pass
-05-11 02:47:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testAnimateToggle)
-05-11 02:47:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testAnimateToggle, {})
-05-11 02:47:58 I/ConsoleReporter: [351/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testAnimateToggle pass
-05-11 02:47:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testConstructor)
-05-11 02:47:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testConstructor, {})
-05-11 02:47:58 I/ConsoleReporter: [352/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testConstructor pass
-05-11 02:47:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testDispatchDraw)
-05-11 02:47:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testDispatchDraw, {})
-05-11 02:47:58 I/ConsoleReporter: [353/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testDispatchDraw pass
-05-11 02:47:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testGetContent)
-05-11 02:47:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testGetContent, {})
-05-11 02:47:58 I/ConsoleReporter: [354/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testGetContent pass
-05-11 02:47:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testGetHandle)
-05-11 02:47:59 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testGetHandle, {})
-05-11 02:47:59 I/ConsoleReporter: [355/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testGetHandle pass
-05-11 02:47:59 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testLockAndUnlock)
-05-11 02:47:59 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testLockAndUnlock, {})
-05-11 02:47:59 I/ConsoleReporter: [356/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testLockAndUnlock pass
-05-11 02:47:59 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testOnFinishInflate)
-05-11 02:47:59 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testOnFinishInflate, {})
-05-11 02:47:59 I/ConsoleReporter: [357/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testOnFinishInflate pass
-05-11 02:47:59 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testOnInterceptTouchEvent)
-05-11 02:48:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testOnInterceptTouchEvent, {})
-05-11 02:48:00 I/ConsoleReporter: [358/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testOnInterceptTouchEvent pass
-05-11 02:48:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testOnLayout)
-05-11 02:48:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testOnLayout, {})
-05-11 02:48:00 I/ConsoleReporter: [359/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testOnLayout pass
-05-11 02:48:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testOnMeasure)
-05-11 02:48:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testOnMeasure, {})
-05-11 02:48:00 I/ConsoleReporter: [360/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testOnMeasure pass
-05-11 02:48:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testOnTouchEvent)
-05-11 02:48:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testOnTouchEvent, {})
-05-11 02:48:00 I/ConsoleReporter: [361/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testOnTouchEvent pass
-05-11 02:48:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testOpenAndClose)
-05-11 02:48:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testOpenAndClose, {})
-05-11 02:48:01 I/ConsoleReporter: [362/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testOpenAndClose pass
-05-11 02:48:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testSetOnDrawerCloseListener)
-05-11 02:48:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testSetOnDrawerCloseListener, {})
-05-11 02:48:01 I/ConsoleReporter: [363/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testSetOnDrawerCloseListener pass
-05-11 02:48:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testSetOnDrawerOpenListener)
-05-11 02:48:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testSetOnDrawerOpenListener, {})
-05-11 02:48:01 I/ConsoleReporter: [364/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testSetOnDrawerOpenListener pass
-05-11 02:48:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testSetOnDrawerScrollListener)
-05-11 02:48:02 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testSetOnDrawerScrollListener, {})
-05-11 02:48:02 I/ConsoleReporter: [365/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testSetOnDrawerScrollListener pass
-05-11 02:48:02 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SlidingDrawerTest#testToggle)
-05-11 02:48:02 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SlidingDrawerTest#testToggle, {})
-05-11 02:48:02 I/ConsoleReporter: [366/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SlidingDrawerTest#testToggle pass
-05-11 02:48:02 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testAddView)
-05-11 02:48:02 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testAddView, {})
-05-11 02:48:02 I/ConsoleReporter: [367/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testAddView pass
-05-11 02:48:02 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testChildDrawableStateChanged)
-05-11 02:48:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testChildDrawableStateChanged, {})
-05-11 02:48:03 I/ConsoleReporter: [368/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testChildDrawableStateChanged pass
-05-11 02:48:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testConstructor)
-05-11 02:48:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testConstructor, {})
-05-11 02:48:03 I/ConsoleReporter: [369/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testConstructor pass
-05-11 02:48:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testConstructorWithStyle)
-05-11 02:48:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testConstructorWithStyle, {})
-05-11 02:48:03 I/ConsoleReporter: [370/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testConstructorWithStyle pass
-05-11 02:48:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testDispatchDraw)
-05-11 02:48:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testDispatchDraw, {})
-05-11 02:48:04 I/ConsoleReporter: [371/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testDispatchDraw pass
-05-11 02:48:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testDividerDrawables)
-05-11 02:48:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testDividerDrawables, {})
-05-11 02:48:04 I/ConsoleReporter: [372/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testDividerDrawables pass
-05-11 02:48:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testFocusCurrentTab)
-05-11 02:48:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testFocusCurrentTab, {})
-05-11 02:48:04 I/ConsoleReporter: [373/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testFocusCurrentTab pass
-05-11 02:48:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testInflateFromXml)
-05-11 02:48:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testInflateFromXml, {})
-05-11 02:48:04 I/ConsoleReporter: [374/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testInflateFromXml pass
-05-11 02:48:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testOnFocusChange)
-05-11 02:48:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testOnFocusChange, {})
-05-11 02:48:05 I/ConsoleReporter: [375/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testOnFocusChange pass
-05-11 02:48:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testOnSizeChanged)
-05-11 02:48:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testOnSizeChanged, {})
-05-11 02:48:05 I/ConsoleReporter: [376/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testOnSizeChanged pass
-05-11 02:48:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testSetCurrentTab)
-05-11 02:48:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testSetCurrentTab, {})
-05-11 02:48:05 I/ConsoleReporter: [377/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testSetCurrentTab pass
-05-11 02:48:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testSetEnabled)
-05-11 02:48:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testSetEnabled, {})
-05-11 02:48:06 I/ConsoleReporter: [378/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testSetEnabled pass
-05-11 02:48:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testStripDrawables)
-05-11 02:48:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testStripDrawables, {})
-05-11 02:48:06 I/ConsoleReporter: [379/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testStripDrawables pass
-05-11 02:48:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testStripEnabled)
-05-11 02:48:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testStripEnabled, {})
-05-11 02:48:06 I/ConsoleReporter: [380/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testStripEnabled pass
-05-11 02:48:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testTabCount)
-05-11 02:48:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testTabCount, {})
-05-11 02:48:06 I/ConsoleReporter: [381/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testTabCount pass
-05-11 02:48:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabWidgetTest#testTabViews)
-05-11 02:48:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabWidgetTest#testTabViews, {})
-05-11 02:48:07 I/ConsoleReporter: [382/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabWidgetTest#testTabViews pass
-05-11 02:48:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomControlsTest#testConstructor)
-05-11 02:48:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomControlsTest#testConstructor, {})
-05-11 02:48:07 I/ConsoleReporter: [383/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomControlsTest#testConstructor pass
-05-11 02:48:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomControlsTest#testHasFocus)
-05-11 02:48:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomControlsTest#testHasFocus, {})
-05-11 02:48:07 I/ConsoleReporter: [384/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomControlsTest#testHasFocus pass
-05-11 02:48:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomControlsTest#testOnTouchEvent)
-05-11 02:48:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomControlsTest#testOnTouchEvent, {})
-05-11 02:48:07 I/ConsoleReporter: [385/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomControlsTest#testOnTouchEvent pass
-05-11 02:48:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomControlsTest#testSetIsZoomInEnabled)
-05-11 02:48:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomControlsTest#testSetIsZoomInEnabled, {})
-05-11 02:48:07 I/ConsoleReporter: [386/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomControlsTest#testSetIsZoomInEnabled pass
-05-11 02:48:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomControlsTest#testSetIsZoomOutEnabled)
-05-11 02:48:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomControlsTest#testSetIsZoomOutEnabled, {})
-05-11 02:48:07 I/ConsoleReporter: [387/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomControlsTest#testSetIsZoomOutEnabled pass
-05-11 02:48:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomControlsTest#testSetOnZoomInClickListener)
-05-11 02:48:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomControlsTest#testSetOnZoomInClickListener, {})
-05-11 02:48:07 I/ConsoleReporter: [388/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomControlsTest#testSetOnZoomInClickListener pass
-05-11 02:48:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomControlsTest#testSetOnZoomOutClickListener)
-05-11 02:48:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomControlsTest#testSetOnZoomOutClickListener, {})
-05-11 02:48:07 I/ConsoleReporter: [389/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomControlsTest#testSetOnZoomOutClickListener pass
-05-11 02:48:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomControlsTest#testSetZoomSpeed)
-05-11 02:48:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomControlsTest#testSetZoomSpeed, {})
-05-11 02:48:07 I/ConsoleReporter: [390/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomControlsTest#testSetZoomSpeed pass
-05-11 02:48:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomControlsTest#testShowAndHide)
-05-11 02:48:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomControlsTest#testShowAndHide, {})
-05-11 02:48:07 I/ConsoleReporter: [391/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomControlsTest#testShowAndHide pass
-05-11 02:48:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TimePickerTest#testAccessCurrentHour)
-05-11 02:48:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TimePickerTest#testAccessCurrentHour, {})
-05-11 02:48:08 I/ConsoleReporter: [392/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TimePickerTest#testAccessCurrentHour pass
-05-11 02:48:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TimePickerTest#testAccessCurrentMinute)
-05-11 02:48:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TimePickerTest#testAccessCurrentMinute, {})
-05-11 02:48:08 I/ConsoleReporter: [393/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TimePickerTest#testAccessCurrentMinute pass
-05-11 02:48:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TimePickerTest#testAccessHour)
-05-11 02:48:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TimePickerTest#testAccessHour, {})
-05-11 02:48:08 I/ConsoleReporter: [394/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TimePickerTest#testAccessHour pass
-05-11 02:48:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TimePickerTest#testAccessIs24HourView)
-05-11 02:48:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TimePickerTest#testAccessIs24HourView, {})
-05-11 02:48:09 I/ConsoleReporter: [395/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TimePickerTest#testAccessIs24HourView pass
-05-11 02:48:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TimePickerTest#testAccessMinute)
-05-11 02:48:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TimePickerTest#testAccessMinute, {})
-05-11 02:48:09 I/ConsoleReporter: [396/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TimePickerTest#testAccessMinute pass
-05-11 02:48:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TimePickerTest#testConstructors)
-05-11 02:48:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TimePickerTest#testConstructors, {})
-05-11 02:48:09 I/ConsoleReporter: [397/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TimePickerTest#testConstructors pass
-05-11 02:48:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TimePickerTest#testGetBaseline)
-05-11 02:48:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TimePickerTest#testGetBaseline, {})
-05-11 02:48:10 I/ConsoleReporter: [398/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TimePickerTest#testGetBaseline pass
-05-11 02:48:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TimePickerTest#testOnSaveInstanceStateAndOnRestoreInstanceState)
-05-11 02:48:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TimePickerTest#testOnSaveInstanceStateAndOnRestoreInstanceState, {})
-05-11 02:48:10 I/ConsoleReporter: [399/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TimePickerTest#testOnSaveInstanceStateAndOnRestoreInstanceState pass
-05-11 02:48:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TimePickerTest#testSetEnabled)
-05-11 02:48:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TimePickerTest#testSetEnabled, {})
-05-11 02:48:10 I/ConsoleReporter: [400/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TimePickerTest#testSetEnabled pass
-05-11 02:48:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TimePickerTest#testSetOnTimeChangedListener)
-05-11 02:48:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TimePickerTest#testSetOnTimeChangedListener, {})
-05-11 02:48:10 I/ConsoleReporter: [401/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TimePickerTest#testSetOnTimeChangedListener pass
-05-11 02:48:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomButtonTest#testConstructor)
-05-11 02:48:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomButtonTest#testConstructor, {})
-05-11 02:48:11 I/ConsoleReporter: [402/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomButtonTest#testConstructor pass
-05-11 02:48:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomButtonTest#testDispatchUnhandledMove)
-05-11 02:48:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomButtonTest#testDispatchUnhandledMove, {})
-05-11 02:48:11 I/ConsoleReporter: [403/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomButtonTest#testDispatchUnhandledMove pass
-05-11 02:48:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomButtonTest#testOnKeyUp)
-05-11 02:48:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomButtonTest#testOnKeyUp, {})
-05-11 02:48:11 I/ConsoleReporter: [404/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomButtonTest#testOnKeyUp pass
-05-11 02:48:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomButtonTest#testOnLongClick)
-05-11 02:48:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomButtonTest#testOnLongClick, {})
-05-11 02:48:11 I/ConsoleReporter: [405/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomButtonTest#testOnLongClick pass
-05-11 02:48:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomButtonTest#testOnTouchEvent)
-05-11 02:48:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomButtonTest#testOnTouchEvent, {})
-05-11 02:48:12 I/ConsoleReporter: [406/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomButtonTest#testOnTouchEvent pass
-05-11 02:48:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomButtonTest#testSetEnabled)
-05-11 02:48:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomButtonTest#testSetEnabled, {})
-05-11 02:48:12 I/ConsoleReporter: [407/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomButtonTest#testSetEnabled pass
-05-11 02:48:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ZoomButtonTest#testSetZoomSpeed)
-05-11 02:48:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ZoomButtonTest#testSetZoomSpeed, {})
-05-11 02:48:12 I/ConsoleReporter: [408/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ZoomButtonTest#testSetZoomSpeed pass
-05-11 02:48:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollerTest#testAbortAnimation)
-05-11 02:48:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollerTest#testAbortAnimation, {})
-05-11 02:48:12 I/ConsoleReporter: [409/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollerTest#testAbortAnimation pass
-05-11 02:48:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollerTest#testAccessFinalX)
-05-11 02:48:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollerTest#testAccessFinalX, {})
-05-11 02:48:12 I/ConsoleReporter: [410/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollerTest#testAccessFinalX pass
-05-11 02:48:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollerTest#testAccessFinalY)
-05-11 02:48:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollerTest#testAccessFinalY, {})
-05-11 02:48:12 I/ConsoleReporter: [411/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollerTest#testAccessFinalY pass
-05-11 02:48:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollerTest#testConstructor)
-05-11 02:48:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollerTest#testConstructor, {})
-05-11 02:48:13 I/ConsoleReporter: [412/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollerTest#testConstructor pass
-05-11 02:48:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollerTest#testExtendDuration)
-05-11 02:48:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollerTest#testExtendDuration, {})
-05-11 02:48:15 I/ConsoleReporter: [413/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollerTest#testExtendDuration pass
-05-11 02:48:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollerTest#testFlingMode)
-05-11 02:48:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollerTest#testFlingMode, {})
-05-11 02:48:18 I/ConsoleReporter: [414/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollerTest#testFlingMode pass
-05-11 02:48:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollerTest#testGetDuration)
-05-11 02:48:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollerTest#testGetDuration, {})
-05-11 02:48:18 I/ConsoleReporter: [415/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollerTest#testGetDuration pass
-05-11 02:48:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollerTest#testIsFinished)
-05-11 02:48:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollerTest#testIsFinished, {})
-05-11 02:48:18 I/ConsoleReporter: [416/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollerTest#testIsFinished pass
-05-11 02:48:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollerTest#testScrollMode)
-05-11 02:48:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollerTest#testScrollMode, {})
-05-11 02:48:23 I/ConsoleReporter: [417/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollerTest#testScrollMode pass
-05-11 02:48:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollerTest#testScrollModeWithDefaultDuration)
-05-11 02:48:24 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollerTest#testScrollModeWithDefaultDuration, {})
-05-11 02:48:24 I/ConsoleReporter: [418/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollerTest#testScrollModeWithDefaultDuration pass
-05-11 02:48:24 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ScrollerTest#testTimePassed)
-05-11 02:48:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ScrollerTest#testTimePassed, {})
-05-11 02:48:27 I/ConsoleReporter: [419/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ScrollerTest#testTimePassed pass
-05-11 02:48:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testAccessCurrentTab)
-05-11 02:48:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testAccessCurrentTab, {})
-05-11 02:48:27 I/ConsoleReporter: [420/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testAccessCurrentTab pass
-05-11 02:48:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testAddTab)
-05-11 02:48:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testAddTab, {})
-05-11 02:48:27 I/ConsoleReporter: [421/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testAddTab pass
-05-11 02:48:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testClearAllTabs)
-05-11 02:48:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testClearAllTabs, {})
-05-11 02:48:28 I/ConsoleReporter: [422/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testClearAllTabs pass
-05-11 02:48:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testConstructor)
-05-11 02:48:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testConstructor, {})
-05-11 02:48:28 I/ConsoleReporter: [423/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testConstructor pass
-05-11 02:48:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testDispatchKeyEvent)
-05-11 02:48:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testDispatchKeyEvent, {})
-05-11 02:48:28 I/ConsoleReporter: [424/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testDispatchKeyEvent pass
-05-11 02:48:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testDispatchWindowFocusChanged)
-05-11 02:48:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testDispatchWindowFocusChanged, {})
-05-11 02:48:28 I/ConsoleReporter: [425/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testDispatchWindowFocusChanged pass
-05-11 02:48:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testGetCurrentTabTag)
-05-11 02:48:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testGetCurrentTabTag, {})
-05-11 02:48:29 I/ConsoleReporter: [426/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testGetCurrentTabTag pass
-05-11 02:48:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testGetCurrentTabView)
-05-11 02:48:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testGetCurrentTabView, {})
-05-11 02:48:29 I/ConsoleReporter: [427/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testGetCurrentTabView pass
-05-11 02:48:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testGetCurrentView)
-05-11 02:48:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testGetCurrentView, {})
-05-11 02:48:29 I/ConsoleReporter: [428/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testGetCurrentView pass
-05-11 02:48:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testGetTabContentView)
-05-11 02:48:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testGetTabContentView, {})
-05-11 02:48:30 I/ConsoleReporter: [429/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testGetTabContentView pass
-05-11 02:48:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testGetTabWidget)
-05-11 02:48:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testGetTabWidget, {})
-05-11 02:48:30 I/ConsoleReporter: [430/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testGetTabWidget pass
-05-11 02:48:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testNewTabSpec)
-05-11 02:48:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testNewTabSpec, {})
-05-11 02:48:30 I/ConsoleReporter: [431/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testNewTabSpec pass
-05-11 02:48:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testOnAttachedToAndDetachedFromWindow)
-05-11 02:48:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testOnAttachedToAndDetachedFromWindow, {})
-05-11 02:48:31 I/ConsoleReporter: [432/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testOnAttachedToAndDetachedFromWindow pass
-05-11 02:48:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testOnTouchModeChanged)
-05-11 02:48:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testOnTouchModeChanged, {})
-05-11 02:48:31 I/ConsoleReporter: [433/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testOnTouchModeChanged pass
-05-11 02:48:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testSetCurrentTabByTag)
-05-11 02:48:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testSetCurrentTabByTag, {})
-05-11 02:48:31 I/ConsoleReporter: [434/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testSetCurrentTabByTag pass
-05-11 02:48:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testSetOnTabChangedListener)
-05-11 02:48:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testSetOnTabChangedListener, {})
-05-11 02:48:31 I/ConsoleReporter: [435/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testSetOnTabChangedListener pass
-05-11 02:48:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testSetup1)
-05-11 02:48:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testSetup1, {})
-05-11 02:48:32 I/ConsoleReporter: [436/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testSetup1 pass
-05-11 02:48:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TabHostTest#testSetup2)
-05-11 02:48:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TabHostTest#testSetup2, {})
-05-11 02:48:32 I/ConsoleReporter: [437/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TabHostTest#testSetup2 pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayout_LayoutParamsTest#testConstructor)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayout_LayoutParamsTest#testConstructor, {})
-05-11 02:48:33 I/ConsoleReporter: [438/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayout_LayoutParamsTest#testConstructor pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayout_LayoutParamsTest#testSetBaseAttributes)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayout_LayoutParamsTest#testSetBaseAttributes, {})
-05-11 02:48:33 I/ConsoleReporter: [439/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayout_LayoutParamsTest#testSetBaseAttributes pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testAccessIndeterminateDrawable)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testAccessIndeterminateDrawable, {})
-05-11 02:48:33 I/ConsoleReporter: [440/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testAccessIndeterminateDrawable pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testAccessInterpolator)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testAccessInterpolator, {})
-05-11 02:48:33 I/ConsoleReporter: [441/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testAccessInterpolator pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testAccessMax)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testAccessMax, {})
-05-11 02:48:33 I/ConsoleReporter: [442/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testAccessMax pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testAccessProgress)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testAccessProgress, {})
-05-11 02:48:33 I/ConsoleReporter: [443/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testAccessProgress pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testAccessProgressDrawable)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testAccessProgressDrawable, {})
-05-11 02:48:33 I/ConsoleReporter: [444/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testAccessProgressDrawable pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testAccessSecondaryProgress)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testAccessSecondaryProgress, {})
-05-11 02:48:33 I/ConsoleReporter: [445/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testAccessSecondaryProgress pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testConstructor)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testConstructor, {})
-05-11 02:48:33 I/ConsoleReporter: [446/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testConstructor pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testDrawableStateChanged)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testDrawableStateChanged, {})
-05-11 02:48:33 I/ConsoleReporter: [447/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testDrawableStateChanged pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testIncrementProgressBy)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testIncrementProgressBy, {})
-05-11 02:48:33 I/ConsoleReporter: [448/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testIncrementProgressBy pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testIncrementSecondaryProgressBy)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testIncrementSecondaryProgressBy, {})
-05-11 02:48:33 I/ConsoleReporter: [449/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testIncrementSecondaryProgressBy pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testIndeterminateTint)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testIndeterminateTint, {})
-05-11 02:48:33 I/ConsoleReporter: [450/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testIndeterminateTint pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testInvalidateDrawable)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testInvalidateDrawable, {})
-05-11 02:48:33 I/ConsoleReporter: [451/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testInvalidateDrawable pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testOnDraw)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testOnDraw, {})
-05-11 02:48:33 I/ConsoleReporter: [452/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testOnDraw pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testOnMeasure)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testOnMeasure, {})
-05-11 02:48:33 I/ConsoleReporter: [453/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testOnMeasure pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testOnSaveAndRestoreInstanceState)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testOnSaveAndRestoreInstanceState, {})
-05-11 02:48:33 I/ConsoleReporter: [454/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testOnSaveAndRestoreInstanceState pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testOnSizeChange)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testOnSizeChange, {})
-05-11 02:48:33 I/ConsoleReporter: [455/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testOnSizeChange pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testPostInvalidate)
-05-11 02:48:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testPostInvalidate, {})
-05-11 02:48:33 I/ConsoleReporter: [456/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testPostInvalidate pass
-05-11 02:48:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testProgressTint)
-05-11 02:48:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testProgressTint, {})
-05-11 02:48:34 I/ConsoleReporter: [457/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testProgressTint pass
-05-11 02:48:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testSetIndeterminate)
-05-11 02:48:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testSetIndeterminate, {})
-05-11 02:48:34 I/ConsoleReporter: [458/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testSetIndeterminate pass
-05-11 02:48:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testSetVisibility)
-05-11 02:48:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testSetVisibility, {})
-05-11 02:48:34 I/ConsoleReporter: [459/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testSetVisibility pass
-05-11 02:48:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ProgressBarTest#testVerifyDrawable)
-05-11 02:48:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ProgressBarTest#testVerifyDrawable, {})
-05-11 02:48:34 I/ConsoleReporter: [460/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ProgressBarTest#testVerifyDrawable pass
-05-11 02:48:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.QuickContactBadgeTest#testPrioritizedMimetype)
-05-11 02:48:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.QuickContactBadgeTest#testPrioritizedMimetype, {})
-05-11 02:48:34 I/ConsoleReporter: [461/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.QuickContactBadgeTest#testPrioritizedMimetype pass
-05-11 02:48:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessAutoLinkMask)
-05-11 02:48:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessAutoLinkMask, {})
-05-11 02:48:35 I/ConsoleReporter: [462/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessAutoLinkMask pass
-05-11 02:48:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessCompoundDrawableTint)
-05-11 02:48:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessCompoundDrawableTint, {})
-05-11 02:48:35 I/ConsoleReporter: [463/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessCompoundDrawableTint pass
-05-11 02:48:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessContentType)
-05-11 02:48:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessContentType, {})
-05-11 02:48:35 I/ConsoleReporter: [464/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessContentType pass
-05-11 02:48:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessEllipsize)
-05-11 02:48:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessEllipsize, {})
-05-11 02:48:36 I/ConsoleReporter: [465/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessEllipsize pass
-05-11 02:48:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessError)
-05-11 02:48:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessError, {})
-05-11 02:48:36 I/ConsoleReporter: [466/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessError pass
-05-11 02:48:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessFilters)
-05-11 02:48:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessFilters, {})
-05-11 02:48:37 I/ConsoleReporter: [467/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessFilters pass
-05-11 02:48:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessFreezesText)
-05-11 02:48:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessFreezesText, {})
-05-11 02:48:37 I/ConsoleReporter: [468/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessFreezesText pass
-05-11 02:48:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessGravity)
-05-11 02:48:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessGravity, {})
-05-11 02:48:37 I/ConsoleReporter: [469/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessGravity pass
-05-11 02:48:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessHint)
-05-11 02:48:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessHint, {})
-05-11 02:48:38 I/ConsoleReporter: [470/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessHint pass
-05-11 02:48:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessHintTextColor)
-05-11 02:48:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessHintTextColor, {})
-05-11 02:48:38 I/ConsoleReporter: [471/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessHintTextColor pass
-05-11 02:48:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessImeActionLabel)
-05-11 02:48:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessImeActionLabel, {})
-05-11 02:48:38 I/ConsoleReporter: [472/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessImeActionLabel pass
-05-11 02:48:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessImeHintLocales)
-05-11 02:48:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessImeHintLocales, {})
-05-11 02:48:39 I/ConsoleReporter: [473/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessImeHintLocales pass
-05-11 02:48:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessImeOptions)
-05-11 02:48:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessImeOptions, {})
-05-11 02:48:39 I/ConsoleReporter: [474/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessImeOptions pass
-05-11 02:48:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessInputExtras)
-05-11 02:48:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessInputExtras, {})
-05-11 02:48:39 I/ConsoleReporter: [475/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessInputExtras pass
-05-11 02:48:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessKeyListener)
-05-11 02:48:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessKeyListener, {})
-05-11 02:48:40 I/ConsoleReporter: [476/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessKeyListener pass
-05-11 02:48:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessLinkTextColor)
-05-11 02:48:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessLinkTextColor, {})
-05-11 02:48:40 I/ConsoleReporter: [477/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessLinkTextColor pass
-05-11 02:48:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessLinksClickable)
-05-11 02:48:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessLinksClickable, {})
-05-11 02:48:40 I/ConsoleReporter: [478/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessLinksClickable pass
-05-11 02:48:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessMovementMethod)
-05-11 02:48:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessMovementMethod, {})
-05-11 02:48:41 I/ConsoleReporter: [479/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessMovementMethod pass
-05-11 02:48:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessPaintFlags)
-05-11 02:48:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessPaintFlags, {})
-05-11 02:48:41 I/ConsoleReporter: [480/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessPaintFlags pass
-05-11 02:48:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessPrivateImeOptions)
-05-11 02:48:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessPrivateImeOptions, {})
-05-11 02:48:41 I/ConsoleReporter: [481/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessPrivateImeOptions pass
-05-11 02:48:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessRawContentType)
-05-11 02:48:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessRawContentType, {})
-05-11 02:48:42 I/ConsoleReporter: [482/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessRawContentType pass
-05-11 02:48:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessText)
-05-11 02:48:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessText, {})
-05-11 02:48:42 I/ConsoleReporter: [483/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessText pass
-05-11 02:48:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessTextColor)
-05-11 02:48:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessTextColor, {})
-05-11 02:48:42 I/ConsoleReporter: [484/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessTextColor pass
-05-11 02:48:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessTextSize)
-05-11 02:48:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessTextSize, {})
-05-11 02:48:43 I/ConsoleReporter: [485/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessTextSize pass
-05-11 02:48:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAccessTransformationMethod)
-05-11 02:48:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAccessTransformationMethod, {})
-05-11 02:48:45 I/ConsoleReporter: [486/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAccessTransformationMethod pass
-05-11 02:48:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAllCapsLocalization)
-05-11 02:48:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAllCapsLocalization, {})
-05-11 02:48:45 I/ConsoleReporter: [487/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAllCapsLocalization pass
-05-11 02:48:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAppend)
-05-11 02:48:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAppend, {})
-05-11 02:48:45 I/ConsoleReporter: [488/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAppend pass
-05-11 02:48:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAppend_addsLinkIfAppendedTextCompletesPartialUrlAtTheEndOfExistingText)
-05-11 02:48:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAppend_addsLinkIfAppendedTextCompletesPartialUrlAtTheEndOfExistingText, {})
-05-11 02:48:46 I/ConsoleReporter: [489/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAppend_addsLinkIfAppendedTextCompletesPartialUrlAtTheEndOfExistingText pass
-05-11 02:48:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAppend_addsLinkIfAppendedTextUpdatesUrlAtTheEndOfExistingText)
-05-11 02:48:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAppend_addsLinkIfAppendedTextUpdatesUrlAtTheEndOfExistingText, {})
-05-11 02:48:46 I/ConsoleReporter: [490/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAppend_addsLinkIfAppendedTextUpdatesUrlAtTheEndOfExistingText pass
-05-11 02:48:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAppend_addsLinksEvenWhenThereAreUrlsSetBefore)
-05-11 02:48:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAppend_addsLinksEvenWhenThereAreUrlsSetBefore, {})
-05-11 02:48:46 I/ConsoleReporter: [491/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAppend_addsLinksEvenWhenThereAreUrlsSetBefore pass
-05-11 02:48:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAppend_addsLinksWhenAutoLinkIsEnabled)
-05-11 02:48:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAppend_addsLinksWhenAutoLinkIsEnabled, {})
-05-11 02:48:47 I/ConsoleReporter: [492/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAppend_addsLinksWhenAutoLinkIsEnabled pass
-05-11 02:48:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAppend_addsLinksWhenTextIsSpannableAndContainsUrlAndAutoLinkIsEnabled)
-05-11 02:48:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAppend_addsLinksWhenTextIsSpannableAndContainsUrlAndAutoLinkIsEnabled, {})
-05-11 02:48:47 I/ConsoleReporter: [493/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAppend_addsLinksWhenTextIsSpannableAndContainsUrlAndAutoLinkIsEnabled pass
-05-11 02:48:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAppend_doesNotAddLinksWhenAppendedTextDoesNotContainLinks)
-05-11 02:48:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAppend_doesNotAddLinksWhenAppendedTextDoesNotContainLinks, {})
-05-11 02:48:47 I/ConsoleReporter: [494/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAppend_doesNotAddLinksWhenAppendedTextDoesNotContainLinks pass
-05-11 02:48:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAppend_doesNotAddLinksWhenAutoLinkIsNotEnabled)
-05-11 02:48:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAppend_doesNotAddLinksWhenAutoLinkIsNotEnabled, {})
-05-11 02:48:48 I/ConsoleReporter: [495/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAppend_doesNotAddLinksWhenAutoLinkIsNotEnabled pass
-05-11 02:48:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled)
-05-11 02:48:51 D/ModuleListener: ModuleListener.testFailed(android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled, junit.framework.AssertionFailedError: unexpected timeout
-at junit.framework.Assert.fail(Assert.java:50)
-at android.cts.util.PollingCheck.run(PollingCheck.java:60)
-at android.widget.cts.TextViewTest.setUp(TextViewTest.java:137)
-at junit.framework.TestCase.runBare(TestCase.java:132)
-at junit.framework.TestResult$1.protect(TestResult.java:115)
-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)
-at junit.framework.TestResult.run(TestResult.java:118)
-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)
-at junit.framework.TestCase.run(TestCase.java:124)
-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)
-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)
-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)
-at java.util.concurrent.FutureTask.run(FutureTask.java:237)
-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)
-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)
-at java.lang.Thread.run(Thread.java:761)
-)
-05-11 02:48:51 I/ConsoleReporter: [496/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled fail: junit.framework.AssertionFailedError: unexpected timeout
-at junit.framework.Assert.fail(Assert.java:50)
-at android.cts.util.PollingCheck.run(PollingCheck.java:60)
-at android.widget.cts.TextViewTest.setUp(TextViewTest.java:137)
-at junit.framework.TestCase.runBare(TestCase.java:132)
-at junit.framework.TestResult$1.protect(TestResult.java:115)
-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)
-at junit.framework.TestResult.run(TestResult.java:118)
-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)
-at junit.framework.TestCase.run(TestCase.java:124)
-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)
-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)
-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)
-at java.util.concurrent.FutureTask.run(FutureTask.java:237)
-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)
-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)
-at java.lang.Thread.run(Thread.java:761)
-
-05-11 02:48:51 I/FailureListener: FailureListener.testFailed android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled false true false
-05-11 02:48:53 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46 with prefix "android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled-logcat_" suffix ".zip"
-05-11 02:48:53 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled-logcat_6295056522652718690.zip
-05-11 02:48:53 I/ResultReporter: Saved logs for android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled-logcat in /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled-logcat_6295056522652718690.zip
-05-11 02:48:53 D/FileUtil: Creating temp file at /tmp/3866195/cts/inv_2979654501700117002 with prefix "android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled-logcat_" suffix ".zip"
-05-11 02:48:53 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:48:53 D/RunUtil: Running [chmod]
-05-11 02:48:53 D/RunUtil: [chmod] command failed. return code 1
-05-11 02:48:53 D/FileUtil: Attempting to chmod /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled-logcat_6529888908556989266.zip to ug+rwx
-05-11 02:48:53 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:48:53 D/RunUtil: Running [chmod, ug+rwx, /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled-logcat_6529888908556989266.zip]
-05-11 02:48:53 I/FileSystemLogSaver: Saved log file /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled-logcat_6529888908556989266.zip
-05-11 02:48:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testAppend_setsMovementMethodWhenTextContainsUrlAndAutoLinkIsEnabled, {})
-05-11 02:48:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testBeginEndBatchEdit)
-05-11 02:48:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testBeginEndBatchEdit, {})
-05-11 02:48:53 I/ConsoleReporter: [497/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testBeginEndBatchEdit pass
-05-11 02:48:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testBringPointIntoView)
-05-11 02:48:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testBringPointIntoView, {})
-05-11 02:48:53 I/ConsoleReporter: [498/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testBringPointIntoView pass
-05-11 02:48:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testCancelLongPress)
-05-11 02:48:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testCancelLongPress, {})
-05-11 02:48:53 I/ConsoleReporter: [499/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testCancelLongPress pass
-05-11 02:48:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testClearComposingText)
-05-11 02:48:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testClearComposingText, {})
-05-11 02:48:53 I/ConsoleReporter: [500/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testClearComposingText pass
-05-11 02:48:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testCompound)
-05-11 02:48:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testCompound, {})
-05-11 02:48:53 I/ConsoleReporter: [501/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testCompound pass
-05-11 02:48:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testComputeHorizontalScrollRange)
-05-11 02:48:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testComputeHorizontalScrollRange, {})
-05-11 02:48:53 I/ConsoleReporter: [502/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testComputeHorizontalScrollRange pass
-05-11 02:48:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testComputeVerticalScrollExtent)
-05-11 02:48:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testComputeVerticalScrollExtent, {})
-05-11 02:48:54 I/ConsoleReporter: [503/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testComputeVerticalScrollExtent pass
-05-11 02:48:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testComputeVerticalScrollRange)
-05-11 02:48:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testComputeVerticalScrollRange, {})
-05-11 02:48:54 I/ConsoleReporter: [504/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testComputeVerticalScrollRange pass
-05-11 02:48:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testConstructor)
-05-11 02:48:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testConstructor, {})
-05-11 02:48:54 I/ConsoleReporter: [505/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testConstructor pass
-05-11 02:48:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testCopyAndPaste)
-05-11 02:48:55 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testCopyAndPaste, {})
-05-11 02:48:55 I/ConsoleReporter: [506/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testCopyAndPaste pass
-05-11 02:48:55 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testCopyAndPaste_byKey)
-05-11 02:48:55 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testCopyAndPaste_byKey, {})
-05-11 02:48:55 I/ConsoleReporter: [507/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testCopyAndPaste_byKey pass
-05-11 02:48:55 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testCutAndPaste)
-05-11 02:48:55 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testCutAndPaste, {})
-05-11 02:48:55 I/ConsoleReporter: [508/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testCutAndPaste pass
-05-11 02:48:55 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testCutAndPaste_byKey)
-05-11 02:48:56 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testCutAndPaste_byKey, {})
-05-11 02:48:56 I/ConsoleReporter: [509/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testCutAndPaste_byKey pass
-05-11 02:48:56 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testCutAndPaste_withAndWithoutStyle)
-05-11 02:48:56 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testCutAndPaste_withAndWithoutStyle, {})
-05-11 02:48:56 I/ConsoleReporter: [510/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testCutAndPaste_withAndWithoutStyle pass
-05-11 02:48:56 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testDebug)
-05-11 02:48:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testDebug, {})
-05-11 02:48:57 I/ConsoleReporter: [511/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testDebug pass
-05-11 02:48:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testDeprecatedSetTextAppearance)
-05-11 02:48:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testDeprecatedSetTextAppearance, {})
-05-11 02:48:57 I/ConsoleReporter: [512/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testDeprecatedSetTextAppearance pass
-05-11 02:48:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testDidTouchFocusSelect)
-05-11 02:48:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testDidTouchFocusSelect, {})
-05-11 02:48:57 I/ConsoleReporter: [513/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testDidTouchFocusSelect pass
-05-11 02:48:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testDrawableResolution)
-05-11 02:48:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testDrawableResolution, {})
-05-11 02:48:58 I/ConsoleReporter: [514/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testDrawableResolution pass
-05-11 02:48:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testDrawableResolution2)
-05-11 02:48:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testDrawableResolution2, {})
-05-11 02:48:58 I/ConsoleReporter: [515/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testDrawableResolution2 pass
-05-11 02:48:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testDrawableStateChanged)
-05-11 02:48:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testDrawableStateChanged, {})
-05-11 02:48:58 I/ConsoleReporter: [516/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testDrawableStateChanged pass
-05-11 02:48:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testEllipsizeEndAndNoEllipsizeHasSameBaselineForMultiLine)
-05-11 02:48:59 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testEllipsizeEndAndNoEllipsizeHasSameBaselineForMultiLine, {})
-05-11 02:48:59 I/ConsoleReporter: [517/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testEllipsizeEndAndNoEllipsizeHasSameBaselineForMultiLine pass
-05-11 02:48:59 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testEllipsizeEndAndNoEllipsizeHasSameBaselineForSingleLine)
-05-11 02:48:59 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testEllipsizeEndAndNoEllipsizeHasSameBaselineForSingleLine, {})
-05-11 02:48:59 I/ConsoleReporter: [518/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testEllipsizeEndAndNoEllipsizeHasSameBaselineForSingleLine pass
-05-11 02:48:59 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testExtractText)
-05-11 02:48:59 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testExtractText, {})
-05-11 02:48:59 I/ConsoleReporter: [519/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testExtractText pass
-05-11 02:48:59 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testFoo)
-05-11 02:49:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testFoo, {})
-05-11 02:49:00 I/ConsoleReporter: [520/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testFoo pass
-05-11 02:49:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetBaseLine)
-05-11 02:49:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetBaseLine, {})
-05-11 02:49:00 I/ConsoleReporter: [521/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetBaseLine pass
-05-11 02:49:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetDefaultEditable)
-05-11 02:49:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetDefaultEditable, {})
-05-11 02:49:00 I/ConsoleReporter: [522/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetDefaultEditable pass
-05-11 02:49:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetDefaultMovementMethod)
-05-11 02:49:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetDefaultMovementMethod, {})
-05-11 02:49:00 I/ConsoleReporter: [523/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetDefaultMovementMethod pass
-05-11 02:49:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetEditableText)
-05-11 02:49:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetEditableText, {})
-05-11 02:49:01 I/ConsoleReporter: [524/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetEditableText pass
-05-11 02:49:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetExtendedPaddingBottom)
-05-11 02:49:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetExtendedPaddingBottom, {})
-05-11 02:49:01 I/ConsoleReporter: [525/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetExtendedPaddingBottom pass
-05-11 02:49:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetExtendedPaddingTop)
-05-11 02:49:04 D/ModuleListener: ModuleListener.testFailed(android.widget.cts.TextViewTest#testGetExtendedPaddingTop, junit.framework.AssertionFailedError: unexpected timeout
-at junit.framework.Assert.fail(Assert.java:50)
-at android.cts.util.PollingCheck.run(PollingCheck.java:60)
-at android.widget.cts.TextViewTest.setUp(TextViewTest.java:137)
-at junit.framework.TestCase.runBare(TestCase.java:132)
-at junit.framework.TestResult$1.protect(TestResult.java:115)
-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)
-at junit.framework.TestResult.run(TestResult.java:118)
-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)
-at junit.framework.TestCase.run(TestCase.java:124)
-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)
-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)
-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)
-at java.util.concurrent.FutureTask.run(FutureTask.java:237)
-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)
-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)
-at java.lang.Thread.run(Thread.java:761)
-)
-05-11 02:49:04 I/ConsoleReporter: [526/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetExtendedPaddingTop fail: junit.framework.AssertionFailedError: unexpected timeout
-at junit.framework.Assert.fail(Assert.java:50)
-at android.cts.util.PollingCheck.run(PollingCheck.java:60)
-at android.widget.cts.TextViewTest.setUp(TextViewTest.java:137)
-at junit.framework.TestCase.runBare(TestCase.java:132)
-at junit.framework.TestResult$1.protect(TestResult.java:115)
-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)
-at junit.framework.TestResult.run(TestResult.java:118)
-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)
-at junit.framework.TestCase.run(TestCase.java:124)
-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)
-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)
-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)
-at java.util.concurrent.FutureTask.run(FutureTask.java:237)
-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)
-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)
-at java.lang.Thread.run(Thread.java:761)
-
-05-11 02:49:04 I/FailureListener: FailureListener.testFailed android.widget.cts.TextViewTest#testGetExtendedPaddingTop false true false
-05-11 02:49:06 D/FileUtil: Creating temp file at /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46 with prefix "android.widget.cts.TextViewTest#testGetExtendedPaddingTop-logcat_" suffix ".zip"
-05-11 02:49:06 I/LogFileSaver: Saved log file /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.TextViewTest#testGetExtendedPaddingTop-logcat_3971150127336649460.zip
-05-11 02:49:06 I/ResultReporter: Saved logs for android.widget.cts.TextViewTest#testGetExtendedPaddingTop-logcat in /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/tools/../../android-cts/logs/2017.05.11_02.42.46/android.widget.cts.TextViewTest#testGetExtendedPaddingTop-logcat_3971150127336649460.zip
-05-11 02:49:06 D/FileUtil: Creating temp file at /tmp/3866195/cts/inv_2979654501700117002 with prefix "android.widget.cts.TextViewTest#testGetExtendedPaddingTop-logcat_" suffix ".zip"
-05-11 02:49:06 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:49:06 D/RunUtil: Running [chmod]
-05-11 02:49:06 D/RunUtil: [chmod] command failed. return code 1
-05-11 02:49:06 D/FileUtil: Attempting to chmod /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.TextViewTest#testGetExtendedPaddingTop-logcat_3240096625726734884.zip to ug+rwx
-05-11 02:49:06 D/RunUtil: Running command with timeout: 10000ms
-05-11 02:49:06 D/RunUtil: Running [chmod, ug+rwx, /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.TextViewTest#testGetExtendedPaddingTop-logcat_3240096625726734884.zip]
-05-11 02:49:06 I/FileSystemLogSaver: Saved log file /tmp/3866195/cts/inv_2979654501700117002/android.widget.cts.TextViewTest#testGetExtendedPaddingTop-logcat_3240096625726734884.zip
-05-11 02:49:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetExtendedPaddingTop, {})
-05-11 02:49:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetFocusedRect)
-05-11 02:49:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetFocusedRect, {})
-05-11 02:49:06 I/ConsoleReporter: [527/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetFocusedRect pass
-05-11 02:49:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetLayout)
-05-11 02:49:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetLayout, {})
-05-11 02:49:06 I/ConsoleReporter: [528/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetLayout pass
-05-11 02:49:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetLineBounds)
-05-11 02:49:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetLineBounds, {})
-05-11 02:49:06 I/ConsoleReporter: [529/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetLineBounds pass
-05-11 02:49:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetLineCount)
-05-11 02:49:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetLineCount, {})
-05-11 02:49:06 I/ConsoleReporter: [530/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetLineCount pass
-05-11 02:49:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetLineHeight)
-05-11 02:49:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetLineHeight, {})
-05-11 02:49:06 I/ConsoleReporter: [531/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetLineHeight pass
-05-11 02:49:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetPaint)
-05-11 02:49:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetPaint, {})
-05-11 02:49:06 I/ConsoleReporter: [532/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetPaint pass
-05-11 02:49:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetResolvedTextAlignment)
-05-11 02:49:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetResolvedTextAlignment, {})
-05-11 02:49:07 I/ConsoleReporter: [533/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetResolvedTextAlignment pass
-05-11 02:49:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetResolvedTextAlignmentWithInheritance)
-05-11 02:49:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetResolvedTextAlignmentWithInheritance, {})
-05-11 02:49:07 I/ConsoleReporter: [534/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetResolvedTextAlignmentWithInheritance pass
-05-11 02:49:07 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetResolvedTextDirectionLtr)
-05-11 02:49:07 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetResolvedTextDirectionLtr, {})
-05-11 02:49:07 I/ConsoleReporter: [535/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetResolvedTextDirectionLtr pass
-05-11 02:49:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetResolvedTextDirectionLtrWithInheritance)
-05-11 02:49:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetResolvedTextDirectionLtrWithInheritance, {})
-05-11 02:49:08 I/ConsoleReporter: [536/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetResolvedTextDirectionLtrWithInheritance pass
-05-11 02:49:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetResolvedTextDirectionRtl)
-05-11 02:49:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetResolvedTextDirectionRtl, {})
-05-11 02:49:08 I/ConsoleReporter: [537/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetResolvedTextDirectionRtl pass
-05-11 02:49:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetResolvedTextDirectionRtlWithInheritance)
-05-11 02:49:08 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetResolvedTextDirectionRtlWithInheritance, {})
-05-11 02:49:08 I/ConsoleReporter: [538/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetResolvedTextDirectionRtlWithInheritance pass
-05-11 02:49:08 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetTextColor)
-05-11 02:49:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetTextColor, {})
-05-11 02:49:09 I/ConsoleReporter: [539/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetTextColor pass
-05-11 02:49:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetTextColors)
-05-11 02:49:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetTextColors, {})
-05-11 02:49:09 I/ConsoleReporter: [540/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetTextColors pass
-05-11 02:49:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetTotalPaddingBottom)
-05-11 02:49:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetTotalPaddingBottom, {})
-05-11 02:49:09 I/ConsoleReporter: [541/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetTotalPaddingBottom pass
-05-11 02:49:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetTotalPaddingLeft)
-05-11 02:49:09 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetTotalPaddingLeft, {})
-05-11 02:49:09 I/ConsoleReporter: [542/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetTotalPaddingLeft pass
-05-11 02:49:09 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetTotalPaddingRight)
-05-11 02:49:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetTotalPaddingRight, {})
-05-11 02:49:10 I/ConsoleReporter: [543/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetTotalPaddingRight pass
-05-11 02:49:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetTotalPaddingTop)
-05-11 02:49:10 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetTotalPaddingTop, {})
-05-11 02:49:10 I/ConsoleReporter: [544/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetTotalPaddingTop pass
-05-11 02:49:10 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testGetUrls)
-05-11 02:49:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testGetUrls, {})
-05-11 02:49:11 I/ConsoleReporter: [545/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testGetUrls pass
-05-11 02:49:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testHeightAndWidth)
-05-11 02:49:11 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testHeightAndWidth, {})
-05-11 02:49:11 I/ConsoleReporter: [546/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testHeightAndWidth pass
-05-11 02:49:11 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testHyphenationNotHappen_breakStrategySimple)
-05-11 02:49:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testHyphenationNotHappen_breakStrategySimple, {})
-05-11 02:49:12 I/ConsoleReporter: [547/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testHyphenationNotHappen_breakStrategySimple pass
-05-11 02:49:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testHyphenationNotHappen_frequencyNone)
-05-11 02:49:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testHyphenationNotHappen_frequencyNone, {})
-05-11 02:49:12 I/ConsoleReporter: [548/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testHyphenationNotHappen_frequencyNone pass
-05-11 02:49:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testInstanceState)
-05-11 02:49:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testInstanceState, {})
-05-11 02:49:12 I/ConsoleReporter: [549/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testInstanceState pass
-05-11 02:49:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testIsInputMethodTarget)
-05-11 02:49:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testIsInputMethodTarget, {})
-05-11 02:49:13 I/ConsoleReporter: [550/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testIsInputMethodTarget pass
-05-11 02:49:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testLength)
-05-11 02:49:13 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testLength, {})
-05-11 02:49:13 I/ConsoleReporter: [551/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testLength pass
-05-11 02:49:13 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testMarquee)
-05-11 02:49:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testMarquee, {})
-05-11 02:49:14 I/ConsoleReporter: [552/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testMarquee pass
-05-11 02:49:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testMoveCursorToVisibleOffset)
-05-11 02:49:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testMoveCursorToVisibleOffset, {})
-05-11 02:49:14 I/ConsoleReporter: [553/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testMoveCursorToVisibleOffset pass
-05-11 02:49:14 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnCreateContextMenu)
-05-11 02:49:14 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnCreateContextMenu, {})
-05-11 02:49:14 I/ConsoleReporter: [554/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnCreateContextMenu pass
-05-11 02:49:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnDetachedFromWindow)
-05-11 02:49:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnDetachedFromWindow, {})
-05-11 02:49:15 I/ConsoleReporter: [555/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnDetachedFromWindow pass
-05-11 02:49:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnDraw)
-05-11 02:49:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnDraw, {})
-05-11 02:49:15 I/ConsoleReporter: [556/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnDraw pass
-05-11 02:49:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnFocusChanged)
-05-11 02:49:15 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnFocusChanged, {})
-05-11 02:49:15 I/ConsoleReporter: [557/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnFocusChanged pass
-05-11 02:49:15 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnKeyMultiple)
-05-11 02:49:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnKeyMultiple, {})
-05-11 02:49:16 I/ConsoleReporter: [558/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnKeyMultiple pass
-05-11 02:49:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnKeyShortcut)
-05-11 02:49:16 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnKeyShortcut, {})
-05-11 02:49:16 I/ConsoleReporter: [559/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnKeyShortcut pass
-05-11 02:49:16 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnMeasure)
-05-11 02:49:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnMeasure, {})
-05-11 02:49:17 I/ConsoleReporter: [560/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnMeasure pass
-05-11 02:49:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnPreDraw)
-05-11 02:49:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnPreDraw, {})
-05-11 02:49:17 I/ConsoleReporter: [561/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnPreDraw pass
-05-11 02:49:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnPrivateIMECommand)
-05-11 02:49:17 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnPrivateIMECommand, {})
-05-11 02:49:17 I/ConsoleReporter: [562/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnPrivateIMECommand pass
-05-11 02:49:17 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnSaveInstanceState_doesNotRestoreSelectionWhenTextIsAbsent)
-05-11 02:49:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnSaveInstanceState_doesNotRestoreSelectionWhenTextIsAbsent, {})
-05-11 02:49:18 I/ConsoleReporter: [563/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnSaveInstanceState_doesNotRestoreSelectionWhenTextIsAbsent pass
-05-11 02:49:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnSaveInstanceState_doesNotSaveSelectionWhenDoesNotExist)
-05-11 02:49:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnSaveInstanceState_doesNotSaveSelectionWhenDoesNotExist, {})
-05-11 02:49:18 I/ConsoleReporter: [564/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnSaveInstanceState_doesNotSaveSelectionWhenDoesNotExist pass
-05-11 02:49:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnSaveInstanceState_savesSelectionWhenExists)
-05-11 02:49:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnSaveInstanceState_savesSelectionWhenExists, {})
-05-11 02:49:18 I/ConsoleReporter: [565/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnSaveInstanceState_savesSelectionWhenExists pass
-05-11 02:49:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnSaveInstanceState_whenFreezesTextIsFalse)
-05-11 02:49:18 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnSaveInstanceState_whenFreezesTextIsFalse, {})
-05-11 02:49:18 I/ConsoleReporter: [566/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnSaveInstanceState_whenFreezesTextIsFalse pass
-05-11 02:49:18 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnTextChanged)
-05-11 02:49:19 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnTextChanged, {})
-05-11 02:49:19 I/ConsoleReporter: [567/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnTextChanged pass
-05-11 02:49:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnTouchEvent)
-05-11 02:49:19 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnTouchEvent, {})
-05-11 02:49:19 I/ConsoleReporter: [568/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnTouchEvent pass
-05-11 02:49:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnTrackballEvent)
-05-11 02:49:19 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnTrackballEvent, {})
-05-11 02:49:19 I/ConsoleReporter: [569/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnTrackballEvent pass
-05-11 02:49:19 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testOnWindowFocusChanged)
-05-11 02:49:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testOnWindowFocusChanged, {})
-05-11 02:49:20 I/ConsoleReporter: [570/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testOnWindowFocusChanged pass
-05-11 02:49:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testPerformLongClick)
-05-11 02:49:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testPerformLongClick, {})
-05-11 02:49:20 I/ConsoleReporter: [571/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testPerformLongClick pass
-05-11 02:49:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testPressKey)
-05-11 02:49:20 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testPressKey, {})
-05-11 02:49:20 I/ConsoleReporter: [572/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testPressKey pass
-05-11 02:49:20 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testRedo_setText)
-05-11 02:49:21 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testRedo_setText, {})
-05-11 02:49:21 I/ConsoleReporter: [573/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testRedo_setText pass
-05-11 02:49:21 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testRemoveSelectionWithSelectionHandles)
-05-11 02:49:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testRemoveSelectionWithSelectionHandles, {})
-05-11 02:49:22 I/ConsoleReporter: [574/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testRemoveSelectionWithSelectionHandles pass
-05-11 02:49:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testResetTextAlignment)
-05-11 02:49:22 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testResetTextAlignment, {})
-05-11 02:49:22 I/ConsoleReporter: [575/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testResetTextAlignment pass
-05-11 02:49:22 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testResetTextDirection)
-05-11 02:49:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testResetTextDirection, {})
-05-11 02:49:23 I/ConsoleReporter: [576/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testResetTextDirection pass
-05-11 02:49:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSaveInstanceState)
-05-11 02:49:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSaveInstanceState, {})
-05-11 02:49:23 I/ConsoleReporter: [577/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSaveInstanceState pass
-05-11 02:49:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testScroll)
-05-11 02:49:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testScroll, {})
-05-11 02:49:23 I/ConsoleReporter: [578/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testScroll pass
-05-11 02:49:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSelectAllJustAfterTap)
-05-11 02:49:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSelectAllJustAfterTap, {})
-05-11 02:49:25 I/ConsoleReporter: [579/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSelectAllJustAfterTap pass
-05-11 02:49:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSelection)
-05-11 02:49:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSelection, {})
-05-11 02:49:25 I/ConsoleReporter: [580/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSelection pass
-05-11 02:49:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetAndGetCustomInseltionActionMode)
-05-11 02:49:25 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetAndGetCustomInseltionActionMode, {})
-05-11 02:49:25 I/ConsoleReporter: [581/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetAndGetCustomInseltionActionMode pass
-05-11 02:49:25 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetAndGetCustomSelectionActionModeCallback)
-05-11 02:49:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetAndGetCustomSelectionActionModeCallback, {})
-05-11 02:49:26 I/ConsoleReporter: [582/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetAndGetCustomSelectionActionModeCallback pass
-05-11 02:49:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetCursorVisible)
-05-11 02:49:26 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetCursorVisible, {})
-05-11 02:49:26 I/ConsoleReporter: [583/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetCursorVisible pass
-05-11 02:49:26 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetEditableFactory)
-05-11 02:49:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetEditableFactory, {})
-05-11 02:49:27 I/ConsoleReporter: [584/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetEditableFactory pass
-05-11 02:49:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetElegantLineHeight)
-05-11 02:49:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetElegantLineHeight, {})
-05-11 02:49:27 I/ConsoleReporter: [585/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetElegantLineHeight pass
-05-11 02:49:27 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetEms)
-05-11 02:49:27 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetEms, {})
-05-11 02:49:27 I/ConsoleReporter: [586/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetEms pass
-05-11 02:49:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetExtractedText)
-05-11 02:49:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetExtractedText, {})
-05-11 02:49:28 I/ConsoleReporter: [587/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetExtractedText pass
-05-11 02:49:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetFrame)
-05-11 02:49:28 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetFrame, {})
-05-11 02:49:28 I/ConsoleReporter: [588/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetFrame pass
-05-11 02:49:28 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetGetBreakStrategy)
-05-11 02:49:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetGetBreakStrategy, {})
-05-11 02:49:29 I/ConsoleReporter: [589/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetGetBreakStrategy pass
-05-11 02:49:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetGetHyphenationFrequency)
-05-11 02:49:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetGetHyphenationFrequency, {})
-05-11 02:49:29 I/ConsoleReporter: [590/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetGetHyphenationFrequency pass
-05-11 02:49:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetGetTextAlignment)
-05-11 02:49:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetGetTextAlignment, {})
-05-11 02:49:29 I/ConsoleReporter: [591/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetGetTextAlignment pass
-05-11 02:49:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetGetTextDirection)
-05-11 02:49:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetGetTextDirection, {})
-05-11 02:49:29 I/ConsoleReporter: [592/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetGetTextDirection pass
-05-11 02:49:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetHighlightColor)
-05-11 02:49:29 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetHighlightColor, {})
-05-11 02:49:29 I/ConsoleReporter: [593/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetHighlightColor pass
-05-11 02:49:29 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetHorizontallyScrolling)
-05-11 02:49:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetHorizontallyScrolling, {})
-05-11 02:49:30 I/ConsoleReporter: [594/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetHorizontallyScrolling pass
-05-11 02:49:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetIncludeFontPadding)
-05-11 02:49:30 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetIncludeFontPadding, {})
-05-11 02:49:30 I/ConsoleReporter: [595/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetIncludeFontPadding pass
-05-11 02:49:30 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetLineSpacing)
-05-11 02:49:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetLineSpacing, {})
-05-11 02:49:31 I/ConsoleReporter: [596/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetLineSpacing pass
-05-11 02:49:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetLines)
-05-11 02:49:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetLines, {})
-05-11 02:49:31 I/ConsoleReporter: [597/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetLines pass
-05-11 02:49:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetLinesException)
-05-11 02:49:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetLinesException, {})
-05-11 02:49:31 I/ConsoleReporter: [598/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetLinesException pass
-05-11 02:49:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetMaxEms)
-05-11 02:49:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetMaxEms, {})
-05-11 02:49:31 I/ConsoleReporter: [599/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetMaxEms pass
-05-11 02:49:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetMaxLines)
-05-11 02:49:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetMaxLines, {})
-05-11 02:49:32 I/ConsoleReporter: [600/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetMaxLines pass
-05-11 02:49:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetMaxLinesException)
-05-11 02:49:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetMaxLinesException, {})
-05-11 02:49:32 I/ConsoleReporter: [601/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetMaxLinesException pass
-05-11 02:49:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetMinEms)
-05-11 02:49:32 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetMinEms, {})
-05-11 02:49:32 I/ConsoleReporter: [602/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetMinEms pass
-05-11 02:49:32 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetMinLines)
-05-11 02:49:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetMinLines, {})
-05-11 02:49:33 I/ConsoleReporter: [603/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetMinLines pass
-05-11 02:49:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetOnEditorActionListener)
-05-11 02:49:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetOnEditorActionListener, {})
-05-11 02:49:33 I/ConsoleReporter: [604/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetOnEditorActionListener pass
-05-11 02:49:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetPadding)
-05-11 02:49:33 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetPadding, {})
-05-11 02:49:33 I/ConsoleReporter: [605/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetPadding pass
-05-11 02:49:33 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetSelectAllOnFocus)
-05-11 02:49:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetSelectAllOnFocus, {})
-05-11 02:49:34 I/ConsoleReporter: [606/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetSelectAllOnFocus pass
-05-11 02:49:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetShadowLayer)
-05-11 02:49:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetShadowLayer, {})
-05-11 02:49:34 I/ConsoleReporter: [607/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetShadowLayer pass
-05-11 02:49:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetSpannableFactory)
-05-11 02:49:34 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetSpannableFactory, {})
-05-11 02:49:34 I/ConsoleReporter: [608/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetSpannableFactory pass
-05-11 02:49:34 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetText)
-05-11 02:49:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetText, {})
-05-11 02:49:35 I/ConsoleReporter: [609/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetText pass
-05-11 02:49:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetText1)
-05-11 02:49:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetText1, {})
-05-11 02:49:35 I/ConsoleReporter: [610/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetText1 pass
-05-11 02:49:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetText2)
-05-11 02:49:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetText2, {})
-05-11 02:49:35 I/ConsoleReporter: [611/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetText2 pass
-05-11 02:49:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetText3)
-05-11 02:49:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetText3, {})
-05-11 02:49:35 I/ConsoleReporter: [612/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetText3 pass
-05-11 02:49:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetTextAppearance)
-05-11 02:49:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetTextAppearance, {})
-05-11 02:49:36 I/ConsoleReporter: [613/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetTextAppearance pass
-05-11 02:49:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetTextKeepState1)
-05-11 02:49:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetTextKeepState1, {})
-05-11 02:49:36 I/ConsoleReporter: [614/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetTextKeepState1 pass
-05-11 02:49:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSetText_updatesHeightAfterRemovingImageSpan)
-05-11 02:49:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSetText_updatesHeightAfterRemovingImageSpan, {})
-05-11 02:49:36 I/ConsoleReporter: [615/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSetText_updatesHeightAfterRemovingImageSpan pass
-05-11 02:49:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testSingleLine)
-05-11 02:49:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testSingleLine, {})
-05-11 02:49:37 I/ConsoleReporter: [616/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testSingleLine pass
-05-11 02:49:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testTextAlignmentDefault)
-05-11 02:49:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testTextAlignmentDefault, {})
-05-11 02:49:37 I/ConsoleReporter: [617/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testTextAlignmentDefault pass
-05-11 02:49:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testTextAttr)
-05-11 02:49:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testTextAttr, {})
-05-11 02:49:37 I/ConsoleReporter: [618/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testTextAttr pass
-05-11 02:49:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testTextChangedListener)
-05-11 02:49:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testTextChangedListener, {})
-05-11 02:49:38 I/ConsoleReporter: [619/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testTextChangedListener pass
-05-11 02:49:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testTextDirectionDefault)
-05-11 02:49:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testTextDirectionDefault, {})
-05-11 02:49:38 I/ConsoleReporter: [620/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testTextDirectionDefault pass
-05-11 02:49:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testTextDirectionFirstStrongLtr)
-05-11 02:49:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testTextDirectionFirstStrongLtr, {})
-05-11 02:49:38 I/ConsoleReporter: [621/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testTextDirectionFirstStrongLtr pass
-05-11 02:49:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testTextDirectionFirstStrongRtl)
-05-11 02:49:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testTextDirectionFirstStrongRtl, {})
-05-11 02:49:39 I/ConsoleReporter: [622/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testTextDirectionFirstStrongRtl pass
-05-11 02:49:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testTextLocales)
-05-11 02:49:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testTextLocales, {})
-05-11 02:49:39 I/ConsoleReporter: [623/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testTextLocales pass
-05-11 02:49:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_delete)
-05-11 02:49:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_delete, {})
-05-11 02:49:40 I/ConsoleReporter: [624/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_delete pass
-05-11 02:49:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_directAppend)
-05-11 02:49:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_directAppend, {})
-05-11 02:49:40 I/ConsoleReporter: [625/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_directAppend pass
-05-11 02:49:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_directInsert)
-05-11 02:49:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_directInsert, {})
-05-11 02:49:40 I/ConsoleReporter: [626/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_directInsert pass
-05-11 02:49:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_imeCancel)
-05-11 02:49:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_imeCancel, {})
-05-11 02:49:40 I/ConsoleReporter: [627/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_imeCancel pass
-05-11 02:49:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_imeEmptyBatch)
-05-11 02:49:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_imeEmptyBatch, {})
-05-11 02:49:41 I/ConsoleReporter: [628/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_imeEmptyBatch pass
-05-11 02:49:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_imeInsertJapanese)
-05-11 02:49:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_imeInsertJapanese, {})
-05-11 02:49:41 I/ConsoleReporter: [629/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_imeInsertJapanese pass
-05-11 02:49:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_imeInsertLatin)
-05-11 02:49:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_imeInsertLatin, {})
-05-11 02:49:42 I/ConsoleReporter: [630/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_imeInsertLatin pass
-05-11 02:49:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_insert)
-05-11 02:49:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_insert, {})
-05-11 02:49:42 I/ConsoleReporter: [631/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_insert pass
-05-11 02:49:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_noCursor)
-05-11 02:49:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_noCursor, {})
-05-11 02:49:42 I/ConsoleReporter: [632/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_noCursor pass
-05-11 02:49:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_saveInstanceState)
-05-11 02:49:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_saveInstanceState, {})
-05-11 02:49:43 I/ConsoleReporter: [633/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_saveInstanceState pass
-05-11 02:49:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_saveInstanceStateEmpty)
-05-11 02:49:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_saveInstanceStateEmpty, {})
-05-11 02:49:43 I/ConsoleReporter: [634/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_saveInstanceStateEmpty pass
-05-11 02:49:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_setText)
-05-11 02:49:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_setText, {})
-05-11 02:49:44 I/ConsoleReporter: [635/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_setText pass
-05-11 02:49:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_shortcuts)
-05-11 02:49:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_shortcuts, {})
-05-11 02:49:44 I/ConsoleReporter: [636/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_shortcuts pass
-05-11 02:49:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_textWatcher)
-05-11 02:49:44 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_textWatcher, {})
-05-11 02:49:44 I/ConsoleReporter: [637/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_textWatcher pass
-05-11 02:49:44 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testUndo_textWatcherDirectAppend)
-05-11 02:49:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testUndo_textWatcherDirectAppend, {})
-05-11 02:49:45 I/ConsoleReporter: [638/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testUndo_textWatcherDirectAppend pass
-05-11 02:49:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewTest#testVerifyDrawable)
-05-11 02:49:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewTest#testVerifyDrawable, {})
-05-11 02:49:45 I/ConsoleReporter: [639/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewTest#testVerifyDrawable pass
-05-11 02:49:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testAddView)
-05-11 02:49:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testAddView, {})
-05-11 02:49:45 I/ConsoleReporter: [640/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testAddView pass
-05-11 02:49:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testCheck)
-05-11 02:49:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testCheck, {})
-05-11 02:49:45 I/ConsoleReporter: [641/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testCheck pass
-05-11 02:49:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testCheckLayoutParams)
-05-11 02:49:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testCheckLayoutParams, {})
-05-11 02:49:45 I/ConsoleReporter: [642/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testCheckLayoutParams pass
-05-11 02:49:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testClearCheck)
-05-11 02:49:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testClearCheck, {})
-05-11 02:49:45 I/ConsoleReporter: [643/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testClearCheck pass
-05-11 02:49:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testConstructors)
-05-11 02:49:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testConstructors, {})
-05-11 02:49:45 I/ConsoleReporter: [644/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testConstructors pass
-05-11 02:49:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testGenerateDefaultLayoutParams)
-05-11 02:49:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testGenerateDefaultLayoutParams, {})
-05-11 02:49:45 I/ConsoleReporter: [645/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testGenerateDefaultLayoutParams pass
-05-11 02:49:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testGenerateLayoutParams)
-05-11 02:49:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testGenerateLayoutParams, {})
-05-11 02:49:45 I/ConsoleReporter: [646/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testGenerateLayoutParams pass
-05-11 02:49:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testGetCheckedRadioButtonId)
-05-11 02:49:45 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testGetCheckedRadioButtonId, {})
-05-11 02:49:45 I/ConsoleReporter: [647/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testGetCheckedRadioButtonId pass
-05-11 02:49:45 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testInternalCheckedStateTracker)
-05-11 02:49:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testInternalCheckedStateTracker, {})
-05-11 02:49:46 I/ConsoleReporter: [648/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testInternalCheckedStateTracker pass
-05-11 02:49:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testInternalPassThroughHierarchyChangeListener)
-05-11 02:49:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testInternalPassThroughHierarchyChangeListener, {})
-05-11 02:49:46 I/ConsoleReporter: [649/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testInternalPassThroughHierarchyChangeListener pass
-05-11 02:49:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testOnFinishInflate)
-05-11 02:49:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testOnFinishInflate, {})
-05-11 02:49:46 I/ConsoleReporter: [650/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testOnFinishInflate pass
-05-11 02:49:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testSetOnCheckedChangeListener)
-05-11 02:49:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testSetOnCheckedChangeListener, {})
-05-11 02:49:46 I/ConsoleReporter: [651/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testSetOnCheckedChangeListener pass
-05-11 02:49:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RadioGroupTest#testSetOnHierarchyChangeListener)
-05-11 02:49:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RadioGroupTest#testSetOnHierarchyChangeListener, {})
-05-11 02:49:46 I/ConsoleReporter: [652/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RadioGroupTest#testSetOnHierarchyChangeListener pass
-05-11 02:49:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessAnimationStyle)
-05-11 02:49:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessAnimationStyle, {})
-05-11 02:49:46 I/ConsoleReporter: [653/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessAnimationStyle pass
-05-11 02:49:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessBackground)
-05-11 02:49:46 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessBackground, {})
-05-11 02:49:46 I/ConsoleReporter: [654/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessBackground pass
-05-11 02:49:46 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessClippingEnabled)
-05-11 02:49:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessClippingEnabled, {})
-05-11 02:49:47 I/ConsoleReporter: [655/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessClippingEnabled pass
-05-11 02:49:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessContentView)
-05-11 02:49:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessContentView, {})
-05-11 02:49:47 I/ConsoleReporter: [656/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessContentView pass
-05-11 02:49:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessEnterExitTransitions)
-05-11 02:49:47 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessEnterExitTransitions, {})
-05-11 02:49:47 I/ConsoleReporter: [657/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessEnterExitTransitions pass
-05-11 02:49:47 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessFocusable)
-05-11 02:49:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessFocusable, {})
-05-11 02:49:48 I/ConsoleReporter: [658/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessFocusable pass
-05-11 02:49:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessHeight)
-05-11 02:49:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessHeight, {})
-05-11 02:49:48 I/ConsoleReporter: [659/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessHeight pass
-05-11 02:49:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessInputMethodMode)
-05-11 02:49:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessInputMethodMode, {})
-05-11 02:49:48 I/ConsoleReporter: [660/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessInputMethodMode pass
-05-11 02:49:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessOutsideTouchable)
-05-11 02:49:48 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessOutsideTouchable, {})
-05-11 02:49:48 I/ConsoleReporter: [661/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessOutsideTouchable pass
-05-11 02:49:48 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessTouchable)
-05-11 02:49:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessTouchable, {})
-05-11 02:49:49 I/ConsoleReporter: [662/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessTouchable pass
-05-11 02:49:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessWidth)
-05-11 02:49:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessWidth, {})
-05-11 02:49:49 I/ConsoleReporter: [663/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessWidth pass
-05-11 02:49:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testAccessWindowLayoutType)
-05-11 02:49:49 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testAccessWindowLayoutType, {})
-05-11 02:49:49 I/ConsoleReporter: [664/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testAccessWindowLayoutType pass
-05-11 02:49:49 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testConstructor)
-05-11 02:49:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testConstructor, {})
-05-11 02:49:50 I/ConsoleReporter: [665/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testConstructor pass
-05-11 02:49:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testDismiss)
-05-11 02:49:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testDismiss, {})
-05-11 02:49:50 I/ConsoleReporter: [666/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testDismiss pass
-05-11 02:49:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testEnterExitTransition)
-05-11 02:49:50 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testEnterExitTransition, {})
-05-11 02:49:50 I/ConsoleReporter: [667/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testEnterExitTransition pass
-05-11 02:49:50 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testGetMaxAvailableHeight)
-05-11 02:49:51 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testGetMaxAvailableHeight, {})
-05-11 02:49:51 I/ConsoleReporter: [668/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testGetMaxAvailableHeight pass
-05-11 02:49:51 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testIsAboveAnchor)
-05-11 02:49:51 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testIsAboveAnchor, {})
-05-11 02:49:51 I/ConsoleReporter: [669/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testIsAboveAnchor pass
-05-11 02:49:51 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testOverlapAnchor)
-05-11 02:49:51 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testOverlapAnchor, {})
-05-11 02:49:51 I/ConsoleReporter: [670/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testOverlapAnchor pass
-05-11 02:49:51 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testSetOnDismissListener)
-05-11 02:49:52 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testSetOnDismissListener, {})
-05-11 02:49:52 I/ConsoleReporter: [671/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testSetOnDismissListener pass
-05-11 02:49:52 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testSetTouchInterceptor)
-05-11 02:49:52 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testSetTouchInterceptor, {})
-05-11 02:49:52 I/ConsoleReporter: [672/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testSetTouchInterceptor pass
-05-11 02:49:52 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testSetWindowLayoutMode)
-05-11 02:49:53 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testSetWindowLayoutMode, {})
-05-11 02:49:53 I/ConsoleReporter: [673/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testSetWindowLayoutMode pass
-05-11 02:49:53 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testShowAsDropDown)
-05-11 02:49:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testShowAsDropDown, {})
-05-11 02:49:54 I/ConsoleReporter: [674/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testShowAsDropDown pass
-05-11 02:49:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testShowAsDropDownWithOffsets)
-05-11 02:49:54 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testShowAsDropDownWithOffsets, {})
-05-11 02:49:54 I/ConsoleReporter: [675/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testShowAsDropDownWithOffsets pass
-05-11 02:49:54 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen)
-05-11 02:49:55 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen, {})
-05-11 02:49:55 I/ConsoleReporter: [676/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen pass
-05-11 02:49:55 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen_Overlap)
-05-11 02:49:56 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen_Overlap, {})
-05-11 02:49:56 I/ConsoleReporter: [677/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen_Overlap pass
-05-11 02:49:56 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen_Overlap_Offset)
-05-11 02:49:57 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen_Overlap_Offset, {})
-05-11 02:49:57 I/ConsoleReporter: [678/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen_Overlap_Offset pass
-05-11 02:49:57 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen_TooBig)
-05-11 02:49:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen_TooBig, {})
-05-11 02:49:58 I/ConsoleReporter: [679/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testShowAsDropDown_ClipToScreen_TooBig pass
-05-11 02:49:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testShowAtLocation)
-05-11 02:49:58 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testShowAtLocation, {})
-05-11 02:49:58 I/ConsoleReporter: [680/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testShowAtLocation pass
-05-11 02:49:58 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testUpdate)
-05-11 02:49:59 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testUpdate, {})
-05-11 02:49:59 I/ConsoleReporter: [681/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testUpdate pass
-05-11 02:49:59 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testUpdateDimensionAndAlignAnchorView)
-05-11 02:49:59 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testUpdateDimensionAndAlignAnchorView, {})
-05-11 02:49:59 I/ConsoleReporter: [682/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testUpdateDimensionAndAlignAnchorView pass
-05-11 02:49:59 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testUpdateDimensionAndAlignAnchorViewWithOffsets)
-05-11 02:50:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testUpdateDimensionAndAlignAnchorViewWithOffsets, {})
-05-11 02:50:00 I/ConsoleReporter: [683/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testUpdateDimensionAndAlignAnchorViewWithOffsets pass
-05-11 02:50:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.PopupWindowTest#testUpdatePositionAndDimension)
-05-11 02:50:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.PopupWindowTest#testUpdatePositionAndDimension, {})
-05-11 02:50:00 I/ConsoleReporter: [684/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.PopupWindowTest#testUpdatePositionAndDimension pass
-05-11 02:50:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MediaControllerTest#testConstructor)
-05-11 02:50:00 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MediaControllerTest#testConstructor, {})
-05-11 02:50:00 I/ConsoleReporter: [685/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MediaControllerTest#testConstructor pass
-05-11 02:50:00 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MediaControllerTest#testMediaController)
-05-11 02:50:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MediaControllerTest#testMediaController, {})
-05-11 02:50:01 I/ConsoleReporter: [686/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MediaControllerTest#testMediaController pass
-05-11 02:50:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MediaControllerTest#testOnTrackballEvent)
-05-11 02:50:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MediaControllerTest#testOnTrackballEvent, {})
-05-11 02:50:01 I/ConsoleReporter: [687/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MediaControllerTest#testOnTrackballEvent pass
-05-11 02:50:01 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MediaControllerTest#testSetEnabled)
-05-11 02:50:01 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MediaControllerTest#testSetEnabled, {})
-05-11 02:50:01 I/ConsoleReporter: [688/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MediaControllerTest#testSetEnabled pass
-05-11 02:50:02 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MediaControllerTest#testSetPrevNextListeners)
-05-11 02:50:02 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MediaControllerTest#testSetPrevNextListeners, {})
-05-11 02:50:02 I/ConsoleReporter: [689/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MediaControllerTest#testSetPrevNextListeners pass
-05-11 02:50:02 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.MediaControllerTest#testShow)
-05-11 02:50:02 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.MediaControllerTest#testShow, {})
-05-11 02:50:02 I/ConsoleReporter: [690/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.MediaControllerTest#testShow pass
-05-11 02:50:02 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageSwitcherTest#testConstructor)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageSwitcherTest#testConstructor, {})
-05-11 02:50:03 I/ConsoleReporter: [691/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageSwitcherTest#testConstructor pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageSwitcherTest#testSetImageDrawable)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageSwitcherTest#testSetImageDrawable, {})
-05-11 02:50:03 I/ConsoleReporter: [692/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageSwitcherTest#testSetImageDrawable pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageSwitcherTest#testSetImageResource)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageSwitcherTest#testSetImageResource, {})
-05-11 02:50:03 I/ConsoleReporter: [693/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageSwitcherTest#testSetImageResource pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ImageSwitcherTest#testSetImageURI)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ImageSwitcherTest#testSetImageURI, {})
-05-11 02:50:03 I/ConsoleReporter: [694/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ImageSwitcherTest#testSetImageURI pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testAccessColumnCollapsed)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testAccessColumnCollapsed, {})
-05-11 02:50:03 I/ConsoleReporter: [695/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testAccessColumnCollapsed pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testAccessColumnShrinkable)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testAccessColumnShrinkable, {})
-05-11 02:50:03 I/ConsoleReporter: [696/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testAccessColumnShrinkable pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testAccessColumnStretchable)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testAccessColumnStretchable, {})
-05-11 02:50:03 I/ConsoleReporter: [697/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testAccessColumnStretchable pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testAccessShrinkAllColumns)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testAccessShrinkAllColumns, {})
-05-11 02:50:03 I/ConsoleReporter: [698/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testAccessShrinkAllColumns pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testAccessStretchAllColumns)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testAccessStretchAllColumns, {})
-05-11 02:50:03 I/ConsoleReporter: [699/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testAccessStretchAllColumns pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testAddView1)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testAddView1, {})
-05-11 02:50:03 I/ConsoleReporter: [700/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testAddView1 pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testAddView2)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testAddView2, {})
-05-11 02:50:03 I/ConsoleReporter: [701/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testAddView2 pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testAddView3)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testAddView3, {})
-05-11 02:50:03 I/ConsoleReporter: [702/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testAddView3 pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testAddView4)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testAddView4, {})
-05-11 02:50:03 I/ConsoleReporter: [703/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testAddView4 pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testCheckLayoutParams)
-05-11 02:50:03 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testCheckLayoutParams, {})
-05-11 02:50:03 I/ConsoleReporter: [704/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testCheckLayoutParams pass
-05-11 02:50:03 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testColumnStretchableEffect)
-05-11 02:50:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testColumnStretchableEffect, {})
-05-11 02:50:04 I/ConsoleReporter: [705/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testColumnStretchableEffect pass
-05-11 02:50:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testConstructor)
-05-11 02:50:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testConstructor, {})
-05-11 02:50:04 I/ConsoleReporter: [706/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testConstructor pass
-05-11 02:50:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testGenerateDefaultLayoutParams)
-05-11 02:50:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testGenerateDefaultLayoutParams, {})
-05-11 02:50:04 I/ConsoleReporter: [707/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testGenerateDefaultLayoutParams pass
-05-11 02:50:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testGenerateLayoutParams1)
-05-11 02:50:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testGenerateLayoutParams1, {})
-05-11 02:50:04 I/ConsoleReporter: [708/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testGenerateLayoutParams1 pass
-05-11 02:50:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testGenerateLayoutParams2)
-05-11 02:50:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testGenerateLayoutParams2, {})
-05-11 02:50:04 I/ConsoleReporter: [709/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testGenerateLayoutParams2 pass
-05-11 02:50:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testOnLayout)
-05-11 02:50:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testOnLayout, {})
-05-11 02:50:04 I/ConsoleReporter: [710/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testOnLayout pass
-05-11 02:50:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testOnMeasure)
-05-11 02:50:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testOnMeasure, {})
-05-11 02:50:04 I/ConsoleReporter: [711/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testOnMeasure pass
-05-11 02:50:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testRequestLayout)
-05-11 02:50:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testRequestLayout, {})
-05-11 02:50:04 I/ConsoleReporter: [712/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testRequestLayout pass
-05-11 02:50:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TableLayoutTest#testSetOnHierarchyChangeListener)
-05-11 02:50:04 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TableLayoutTest#testSetOnHierarchyChangeListener, {})
-05-11 02:50:04 I/ConsoleReporter: [713/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TableLayoutTest#testSetOnHierarchyChangeListener pass
-05-11 02:50:04 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.TextViewFadingEdgeTest#testFadingEdge)
-05-11 02:50:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.TextViewFadingEdgeTest#testFadingEdge, {})
-05-11 02:50:05 I/ConsoleReporter: [714/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.TextViewFadingEdgeTest#testFadingEdge pass
-05-11 02:50:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewSwitcherTest#testConstructor)
-05-11 02:50:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewSwitcherTest#testConstructor, {})
-05-11 02:50:05 I/ConsoleReporter: [715/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewSwitcherTest#testConstructor pass
-05-11 02:50:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewSwitcherTest#testGetNextView)
-05-11 02:50:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewSwitcherTest#testGetNextView, {})
-05-11 02:50:05 I/ConsoleReporter: [716/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewSwitcherTest#testGetNextView pass
-05-11 02:50:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewSwitcherTest#testReset)
-05-11 02:50:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewSwitcherTest#testReset, {})
-05-11 02:50:05 I/ConsoleReporter: [717/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewSwitcherTest#testReset pass
-05-11 02:50:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ViewSwitcherTest#testSetFactory)
-05-11 02:50:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ViewSwitcherTest#testSetFactory, {})
-05-11 02:50:05 I/ConsoleReporter: [718/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ViewSwitcherTest#testSetFactory pass
-05-11 02:50:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToggleButtonTest#testAccessTextOff)
-05-11 02:50:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToggleButtonTest#testAccessTextOff, {})
-05-11 02:50:05 I/ConsoleReporter: [719/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToggleButtonTest#testAccessTextOff pass
-05-11 02:50:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToggleButtonTest#testAccessTextOn)
-05-11 02:50:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToggleButtonTest#testAccessTextOn, {})
-05-11 02:50:05 I/ConsoleReporter: [720/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToggleButtonTest#testAccessTextOn pass
-05-11 02:50:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToggleButtonTest#testConstructor)
-05-11 02:50:05 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToggleButtonTest#testConstructor, {})
-05-11 02:50:05 I/ConsoleReporter: [721/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToggleButtonTest#testConstructor pass
-05-11 02:50:05 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToggleButtonTest#testDrawableStateChanged)
-05-11 02:50:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToggleButtonTest#testDrawableStateChanged, {})
-05-11 02:50:06 I/ConsoleReporter: [722/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToggleButtonTest#testDrawableStateChanged pass
-05-11 02:50:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToggleButtonTest#testOnFinishInflate)
-05-11 02:50:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToggleButtonTest#testOnFinishInflate, {})
-05-11 02:50:06 I/ConsoleReporter: [723/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToggleButtonTest#testOnFinishInflate pass
-05-11 02:50:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToggleButtonTest#testSetBackgroundDrawable)
-05-11 02:50:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToggleButtonTest#testSetBackgroundDrawable, {})
-05-11 02:50:06 I/ConsoleReporter: [724/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToggleButtonTest#testSetBackgroundDrawable pass
-05-11 02:50:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToggleButtonTest#testSetChecked)
-05-11 02:50:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToggleButtonTest#testSetChecked, {})
-05-11 02:50:06 I/ConsoleReporter: [725/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToggleButtonTest#testSetChecked pass
-05-11 02:50:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToggleButtonTest#testToggleText)
-05-11 02:50:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToggleButtonTest#testToggleText, {})
-05-11 02:50:06 I/ConsoleReporter: [726/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToggleButtonTest#testToggleText pass
-05-11 02:50:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SeekBarTest#testConstructor)
-05-11 02:50:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SeekBarTest#testConstructor, {})
-05-11 02:50:06 I/ConsoleReporter: [727/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SeekBarTest#testConstructor pass
-05-11 02:50:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.SeekBarTest#testSetOnSeekBarChangeListener)
-05-11 02:50:06 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.SeekBarTest#testSetOnSeekBarChangeListener, {})
-05-11 02:50:06 I/ConsoleReporter: [728/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.SeekBarTest#testSetOnSeekBarChangeListener pass
-05-11 02:50:06 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testAccessDuration)
-05-11 02:50:12 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testAccessDuration, {})
-05-11 02:50:12 I/ConsoleReporter: [729/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testAccessDuration pass
-05-11 02:50:12 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testAccessGravity)
-05-11 02:50:23 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testAccessGravity, {})
-05-11 02:50:23 I/ConsoleReporter: [730/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testAccessGravity pass
-05-11 02:50:23 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testAccessMargin)
-05-11 02:50:31 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testAccessMargin, {})
-05-11 02:50:31 I/ConsoleReporter: [731/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testAccessMargin pass
-05-11 02:50:31 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testAccessView)
-05-11 02:50:35 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testAccessView, {})
-05-11 02:50:35 I/ConsoleReporter: [732/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testAccessView pass
-05-11 02:50:35 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testCancel)
-05-11 02:50:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testCancel, {})
-05-11 02:50:36 I/ConsoleReporter: [733/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testCancel pass
-05-11 02:50:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testConstructor)
-05-11 02:50:36 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testConstructor, {})
-05-11 02:50:36 I/ConsoleReporter: [734/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testConstructor pass
-05-11 02:50:36 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testMakeText1)
-05-11 02:50:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testMakeText1, {})
-05-11 02:50:37 I/ConsoleReporter: [735/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testMakeText1 pass
-05-11 02:50:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testMakeText2)
-05-11 02:50:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testMakeText2, {})
-05-11 02:50:37 I/ConsoleReporter: [736/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testMakeText2 pass
-05-11 02:50:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testSetText1)
-05-11 02:50:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testSetText1, {})
-05-11 02:50:37 I/ConsoleReporter: [737/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testSetText1 pass
-05-11 02:50:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testSetText2)
-05-11 02:50:37 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testSetText2, {})
-05-11 02:50:37 I/ConsoleReporter: [738/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testSetText2 pass
-05-11 02:50:37 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testShow)
-05-11 02:50:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testShow, {})
-05-11 02:50:38 I/ConsoleReporter: [739/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testShow pass
-05-11 02:50:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.ToastTest#testShowFailure)
-05-11 02:50:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.ToastTest#testShowFailure, {})
-05-11 02:50:38 I/ConsoleReporter: [740/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.ToastTest#testShowFailure pass
-05-11 02:50:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testBaselineAlignment)
-05-11 02:50:38 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testBaselineAlignment, {})
-05-11 02:50:38 I/ConsoleReporter: [741/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testBaselineAlignment pass
-05-11 02:50:38 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testCheckLayoutParams)
-05-11 02:50:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testCheckLayoutParams, {})
-05-11 02:50:39 I/ConsoleReporter: [742/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testCheckLayoutParams pass
-05-11 02:50:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testConstructor)
-05-11 02:50:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testConstructor, {})
-05-11 02:50:39 I/ConsoleReporter: [743/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testConstructor pass
-05-11 02:50:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testGenerateDefaultLayoutParams)
-05-11 02:50:39 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testGenerateDefaultLayoutParams, {})
-05-11 02:50:39 I/ConsoleReporter: [744/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testGenerateDefaultLayoutParams pass
-05-11 02:50:39 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testGenerateLayoutParams1)
-05-11 02:50:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testGenerateLayoutParams1, {})
-05-11 02:50:40 I/ConsoleReporter: [745/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testGenerateLayoutParams1 pass
-05-11 02:50:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testGenerateLayoutParams2)
-05-11 02:50:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testGenerateLayoutParams2, {})
-05-11 02:50:40 I/ConsoleReporter: [746/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testGenerateLayoutParams2 pass
-05-11 02:50:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testGenerateLayoutParamsFromMarginParams)
-05-11 02:50:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testGenerateLayoutParamsFromMarginParams, {})
-05-11 02:50:40 I/ConsoleReporter: [747/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testGenerateLayoutParamsFromMarginParams pass
-05-11 02:50:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testGetBaseline)
-05-11 02:50:40 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testGetBaseline, {})
-05-11 02:50:40 I/ConsoleReporter: [748/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testGetBaseline pass
-05-11 02:50:40 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testGetRule)
-05-11 02:50:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testGetRule, {})
-05-11 02:50:41 I/ConsoleReporter: [749/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testGetRule pass
-05-11 02:50:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testOnLayout)
-05-11 02:50:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testOnLayout, {})
-05-11 02:50:41 I/ConsoleReporter: [750/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testOnLayout pass
-05-11 02:50:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testOnMeasure)
-05-11 02:50:41 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testOnMeasure, {})
-05-11 02:50:41 I/ConsoleReporter: [751/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testOnMeasure pass
-05-11 02:50:41 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testSetGravity)
-05-11 02:50:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testSetGravity, {})
-05-11 02:50:42 I/ConsoleReporter: [752/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testSetGravity pass
-05-11 02:50:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testSetHorizontalGravity)
-05-11 02:50:42 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testSetHorizontalGravity, {})
-05-11 02:50:42 I/ConsoleReporter: [753/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testSetHorizontalGravity pass
-05-11 02:50:42 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testSetIgnoreGravity)
-05-11 02:50:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testSetIgnoreGravity, {})
-05-11 02:50:43 I/ConsoleReporter: [754/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testSetIgnoreGravity pass
-05-11 02:50:43 D/ModuleListener: ModuleListener.testStarted(android.widget.cts.RelativeLayoutTest#testSetVerticalGravity)
-05-11 02:50:43 D/ModuleListener: ModuleListener.testEnded(android.widget.cts.RelativeLayoutTest#testSetVerticalGravity, {})
-05-11 02:50:43 I/ConsoleReporter: [755/755 x86 CtsWidgetTestCases chromeos2-row4-rack6-host8:22] android.widget.cts.RelativeLayoutTest#testSetVerticalGravity pass
-05-11 02:50:43 D/ModuleListener: ModuleListener.testRunEnded(273175, {})
-05-11 02:50:43 I/ConsoleReporter: [chromeos2-row4-rack6-host8:22] x86 CtsWidgetTestCases completed in 4m 33s. 753 passed, 2 failed, 0 not executed
-05-11 02:50:43 D/InstrumentationFileTest: Removed test file from device: /data/local/tmp/tf_testFile_com.android.tradefed.testtype.InstrumentationFileTest2366151549040962634.txt
-05-11 02:50:43 D/ModuleDef: Cleaner: ApkInstaller
-05-11 02:50:43 D/TestDevice: Uninstalling android.widget.cts
-05-11 02:50:44 W/CompatibilityTest: Inaccurate runtime hint for x86 CtsWidgetTestCases, expected 11m 55s was 7m 16s
-05-11 02:50:44 I/CompatibilityTest: Running system status checker after module execution: CtsWidgetTestCases
-05-11 02:50:45 I/MonitoringUtils: Connectivity: passed check.
-05-11 02:50:45 D/RunUtil: run interrupt allowed: false
-05-11 02:50:46 I/ResultReporter: Invocation finished in 7m 59s. PASSED: 1185, FAILED: 9, NOT EXECUTED: 4624, MODULES: 0 of 1
-05-11 02:50:48 I/ResultReporter: Test Result: /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/results/2017.05.11_02.42.46/test_result_failures.html
-05-11 02:50:48 I/ResultReporter: Full Result: /tmp/autotest-tradefed-install_kkp2lT/d4a933789ff628c4c7745b0cde4841a7/android-cts-7.1_r4-linux_x86-x86/android-cts/results/2017.05.11_02.42.46.zip
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/GtsPlacementTestCases.txt b/server/cros/tradefed/tradefed_utils_unittest_data/GtsPlacementTestCases.txt
deleted file mode 100644
index 067fc75..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/GtsPlacementTestCases.txt
+++ /dev/null
@@ -1,579 +0,0 @@
-07-24 06:00:32 I/ModuleRepo: chromeos2-row4-rack9-host4:22 running 3 modules, expected to complete in 3m 0s
-07-24 06:00:32 I/CompatibilityTest: Starting 3 modules on chromeos2-row4-rack9-host4:22
-07-24 06:00:32 D/ConfigurationFactory: Loading configuration 'system-status-checkers'
-07-24 06:00:32 D/ModuleDef: Preparer: DynamicConfigPusher
-07-24 06:00:32 D/ModuleDef: Preparer: DynamicConfigPusher
-07-24 06:00:32 D/ModuleDef: Preparer: DynamicConfigPusher
-07-24 06:00:33 I/CompatibilityTest: Running system status checker before module execution: GtsPlacementTestCases
-07-24 06:00:33 D/ModuleDef: Preparer: DynamicConfigPusher
-07-24 06:00:33 D/ModuleDef: Preparer: ApkInstaller
-07-24 06:00:33 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_Ftg6Ug/8dc71b21472e3693bd93e1ef70d3ce46/gts-4.1_r2-3911033/android-gts/tools/../../android-gts/testcases/GtsPlacementTestCases.apk ...
-07-24 06:00:33 D/GtsPlacementTestCases.apk: Uploading GtsPlacementTestCases.apk onto device 'chromeos2-row4-rack9-host4:22'
-07-24 06:00:33 D/Device: Uploading file onto device 'chromeos2-row4-rack9-host4:22'
-07-24 06:00:34 D/RunUtil: Running command with timeout: 60000ms
-07-24 06:00:34 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_Ftg6Ug/8dc71b21472e3693bd93e1ef70d3ce46/gts-4.1_r2-3911033/android-gts/tools/../../android-gts/testcases/GtsPlacementTestCases.apk]
-07-24 06:00:34 D/ModuleDef: Test: AndroidJUnitTest
-07-24 06:00:34 D/InstrumentationTest: Collecting test info for com.google.android.placement.gts on device chromeos2-row4-rack9-host4:22
-07-24 06:00:34 I/RemoteAndroidTest: Running am instrument -w -r --abi x86_64  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log true -e timeout_msec 300000 com.google.android.placement.gts/android.support.test.runner.AndroidJUnitRunner on google-eve-chromeos2-row4-rack9-host4:22
-07-24 06:00:35 I/RemoteAndroidTest: Running am instrument -w -r --abi x86_64  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log false -e timeout_msec 300000 com.google.android.placement.gts/android.support.test.runner.AndroidJUnitRunner on google-eve-chromeos2-row4-rack9-host4:22
-07-24 06:00:35 D/ModuleListener: ModuleListener.testRunStarted(com.google.android.placement.gts, 5)
-07-24 06:00:35 I/ConsoleReporter: [chromeos2-row4-rack9-host4:22] Starting x86_64 GtsPlacementTestCases with 5 tests
-07-24 06:00:35 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded)
-07-24 06:00:35 D/ModuleListener: ModuleListener.testFailed(com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded, junit.framework.AssertionFailedError: Mandatory core GMS packages not found as system apps:

-com.android.chrome

-com.android.providers.partnerbookmarks

-com.google.android.apps.docs

-com.google.android.apps.maps

-com.google.android.backuptransport

-com.google.android.configupdater

-com.google.android.gm

-com.google.android.music

-com.google.android.onetimeinitializer

-com.google.android.partnersetup

-com.google.android.setupwizard

-com.google.android.videos

-com.google.android.youtube

-com.google.android.apps.photos

-com.google.android.syncadapters.calendar

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.checkGeneralCoreGmsAppsPreloaded(CoreGmsAppsTest.java:141)

-at com.google.android.placement.gts.CoreGmsAppsTest.testCoreGmsAppsPreloaded(CoreGmsAppsTest.java:275)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-07-24 06:00:35 I/ConsoleReporter: [1/5 x86_64 GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded fail: junit.framework.AssertionFailedError: Mandatory core GMS packages not found as system apps:

-com.android.chrome

-com.android.providers.partnerbookmarks

-com.google.android.apps.docs

-com.google.android.apps.maps

-com.google.android.backuptransport

-com.google.android.configupdater

-com.google.android.gm

-com.google.android.music

-com.google.android.onetimeinitializer

-com.google.android.partnersetup

-com.google.android.setupwizard

-com.google.android.videos

-com.google.android.youtube

-com.google.android.apps.photos

-com.google.android.syncadapters.calendar

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.checkGeneralCoreGmsAppsPreloaded(CoreGmsAppsTest.java:141)

-at com.google.android.placement.gts.CoreGmsAppsTest.testCoreGmsAppsPreloaded(CoreGmsAppsTest.java:275)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-07-24 06:00:35 I/FailureListener: FailureListener.testFailed com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded false false false
-07-24 06:00:35 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded, {})
-07-24 06:00:35 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testCustomizedWebviewPreloaded)
-07-24 06:00:35 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testCustomizedWebviewPreloaded, {})
-07-24 06:00:35 I/ConsoleReporter: [2/5 x86_64 GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testCustomizedWebviewPreloaded pass
-07-24 06:00:35 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded)
-07-24 06:00:35 D/ModuleListener: ModuleListener.testFailed(com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded, junit.framework.AssertionFailedError: Mandatory app Hangouts not preloaded

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.testGoogleDuoPreloaded(CoreGmsAppsTest.java:230)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-07-24 06:00:35 I/ConsoleReporter: [3/5 x86_64 GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded fail: junit.framework.AssertionFailedError: Mandatory app Hangouts not preloaded

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.testGoogleDuoPreloaded(CoreGmsAppsTest.java:230)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-07-24 06:00:35 I/FailureListener: FailureListener.testFailed com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded false false false
-07-24 06:00:35 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded, {})
-07-24 06:00:35 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testNoPreReleaseGmsCore)
-07-24 06:00:35 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testNoPreReleaseGmsCore, {})
-07-24 06:00:35 I/ConsoleReporter: [4/5 x86_64 GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testNoPreReleaseGmsCore pass
-07-24 06:00:35 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.UiPlacementTest#testPlayStore)
-07-24 06:00:36 D/ModuleListener: ModuleListener.testFailed(com.google.android.placement.gts.UiPlacementTest#testPlayStore, java.lang.NullPointerException: Attempt to invoke virtual method 'void android.support.test.uiautomator.UiObject2.click()' on a null object reference

-at com.google.android.placement.gts.UiPlacementTest.tryElement(UiPlacementTest.java:77)

-at com.google.android.placement.gts.UiPlacementTest.testPlayStore(UiPlacementTest.java:73)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-07-24 06:00:36 I/ConsoleReporter: [5/5 x86_64 GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.UiPlacementTest#testPlayStore fail: java.lang.NullPointerException: Attempt to invoke virtual method 'void android.support.test.uiautomator.UiObject2.click()' on a null object reference

-at com.google.android.placement.gts.UiPlacementTest.tryElement(UiPlacementTest.java:77)

-at com.google.android.placement.gts.UiPlacementTest.testPlayStore(UiPlacementTest.java:73)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-07-24 06:00:36 I/FailureListener: FailureListener.testFailed com.google.android.placement.gts.UiPlacementTest#testPlayStore false false false
-07-24 06:00:36 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.UiPlacementTest#testPlayStore, {})
-07-24 06:00:36 D/ModuleListener: ModuleListener.testRunEnded(553, {})
-07-24 06:00:36 I/ConsoleReporter: [chromeos2-row4-rack9-host4:22] x86_64 GtsPlacementTestCases completed in 553 ms. 2 passed, 3 failed, 0 not executed
-07-24 06:00:36 D/ModuleDef: Cleaner: DynamicConfigPusher
-07-24 06:00:36 D/ModuleDef: Cleaner: ApkInstaller
-07-24 06:00:36 D/TestDevice: Uninstalling com.google.android.placement.gts
-07-24 06:00:36 W/CompatibilityTest: Inaccurate runtime hint for x86_64 GtsPlacementTestCases, expected 1m 0s was 3s
-07-24 06:00:36 I/CompatibilityTest: Running system status checker after module execution: GtsPlacementTestCases
-07-24 06:00:36 D/WifiUtil.apk8691720570415926514.apk: Uploading WifiUtil.apk8691720570415926514.apk onto device 'chromeos2-row4-rack9-host4:22'
-07-24 06:00:36 D/Device: Uploading file onto device 'chromeos2-row4-rack9-host4:22'
-07-24 06:00:38 I/MonitoringUtils: Connectivity: passed check.
-07-24 06:00:38 I/CompatibilityTest: Running system status checker before module execution: GtsPlacementTestCases
-07-24 06:00:38 D/ModuleDef: Preparer: DynamicConfigPusher
-07-24 06:00:38 D/ModuleDef: Preparer: ApkInstaller
-07-24 06:00:38 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_Ftg6Ug/8dc71b21472e3693bd93e1ef70d3ce46/gts-4.1_r2-3911033/android-gts/tools/../../android-gts/testcases/GtsPlacementTestCases.apk ...
-07-24 06:00:38 D/GtsPlacementTestCases.apk: Uploading GtsPlacementTestCases.apk onto device 'chromeos2-row4-rack9-host4:22'
-07-24 06:00:38 D/Device: Uploading file onto device 'chromeos2-row4-rack9-host4:22'
-07-24 06:00:39 D/RunUtil: Running command with timeout: 60000ms
-07-24 06:00:39 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_Ftg6Ug/8dc71b21472e3693bd93e1ef70d3ce46/gts-4.1_r2-3911033/android-gts/tools/../../android-gts/testcases/GtsPlacementTestCases.apk]
-07-24 06:00:39 D/ModuleDef: Test: AndroidJUnitTest
-07-24 06:00:39 D/InstrumentationTest: Collecting test info for com.google.android.placement.gts on device chromeos2-row4-rack9-host4:22
-07-24 06:00:39 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log true -e timeout_msec 300000 com.google.android.placement.gts/android.support.test.runner.AndroidJUnitRunner on google-eve-chromeos2-row4-rack9-host4:22
-07-24 06:00:40 I/RemoteAndroidTest: Running am instrument -w -r --abi x86  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log false -e timeout_msec 300000 com.google.android.placement.gts/android.support.test.runner.AndroidJUnitRunner on google-eve-chromeos2-row4-rack9-host4:22
-07-24 06:00:40 D/ModuleListener: ModuleListener.testRunStarted(com.google.android.placement.gts, 5)
-07-24 06:00:40 I/ConsoleReporter: [chromeos2-row4-rack9-host4:22] Starting x86 GtsPlacementTestCases with 5 tests
-07-24 06:00:40 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded)
-07-24 06:00:40 D/ModuleListener: ModuleListener.testFailed(com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded, junit.framework.AssertionFailedError: Mandatory core GMS packages not found as system apps:

-com.android.chrome

-com.android.providers.partnerbookmarks

-com.google.android.apps.docs

-com.google.android.apps.maps

-com.google.android.backuptransport

-com.google.android.configupdater

-com.google.android.gm

-com.google.android.music

-com.google.android.onetimeinitializer

-com.google.android.partnersetup

-com.google.android.setupwizard

-com.google.android.videos

-com.google.android.youtube

-com.google.android.apps.photos

-com.google.android.syncadapters.calendar

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.checkGeneralCoreGmsAppsPreloaded(CoreGmsAppsTest.java:141)

-at com.google.android.placement.gts.CoreGmsAppsTest.testCoreGmsAppsPreloaded(CoreGmsAppsTest.java:275)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-07-24 06:00:40 I/ConsoleReporter: [1/5 x86 GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded fail: junit.framework.AssertionFailedError: Mandatory core GMS packages not found as system apps:

-com.android.chrome

-com.android.providers.partnerbookmarks

-com.google.android.apps.docs

-com.google.android.apps.maps

-com.google.android.backuptransport

-com.google.android.configupdater

-com.google.android.gm

-com.google.android.music

-com.google.android.onetimeinitializer

-com.google.android.partnersetup

-com.google.android.setupwizard

-com.google.android.videos

-com.google.android.youtube

-com.google.android.apps.photos

-com.google.android.syncadapters.calendar

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.checkGeneralCoreGmsAppsPreloaded(CoreGmsAppsTest.java:141)

-at com.google.android.placement.gts.CoreGmsAppsTest.testCoreGmsAppsPreloaded(CoreGmsAppsTest.java:275)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-07-24 06:00:40 I/FailureListener: FailureListener.testFailed com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded false false false
-07-24 06:00:40 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded, {})
-07-24 06:00:40 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testCustomizedWebviewPreloaded)
-07-24 06:00:40 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testCustomizedWebviewPreloaded, {})
-07-24 06:00:40 I/ConsoleReporter: [2/5 x86 GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testCustomizedWebviewPreloaded pass
-07-24 06:00:40 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded)
-07-24 06:00:40 D/ModuleListener: ModuleListener.testFailed(com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded, junit.framework.AssertionFailedError: Mandatory app Hangouts not preloaded

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.testGoogleDuoPreloaded(CoreGmsAppsTest.java:230)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-07-24 06:00:40 I/ConsoleReporter: [3/5 x86 GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded fail: junit.framework.AssertionFailedError: Mandatory app Hangouts not preloaded

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.testGoogleDuoPreloaded(CoreGmsAppsTest.java:230)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-07-24 06:00:40 I/FailureListener: FailureListener.testFailed com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded false false false
-07-24 06:00:40 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded, {})
-07-24 06:00:40 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testNoPreReleaseGmsCore)
-07-24 06:00:40 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testNoPreReleaseGmsCore, {})
-07-24 06:00:40 I/ConsoleReporter: [4/5 x86 GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testNoPreReleaseGmsCore pass
-07-24 06:00:40 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.UiPlacementTest#testPlayStore)
-07-24 06:00:41 D/ModuleListener: ModuleListener.testFailed(com.google.android.placement.gts.UiPlacementTest#testPlayStore, java.lang.NullPointerException: Attempt to invoke virtual method 'void android.support.test.uiautomator.UiObject2.click()' on a null object reference

-at com.google.android.placement.gts.UiPlacementTest.tryElement(UiPlacementTest.java:77)

-at com.google.android.placement.gts.UiPlacementTest.testPlayStore(UiPlacementTest.java:73)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-07-24 06:00:41 I/ConsoleReporter: [5/5 x86 GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.UiPlacementTest#testPlayStore fail: java.lang.NullPointerException: Attempt to invoke virtual method 'void android.support.test.uiautomator.UiObject2.click()' on a null object reference

-at com.google.android.placement.gts.UiPlacementTest.tryElement(UiPlacementTest.java:77)

-at com.google.android.placement.gts.UiPlacementTest.testPlayStore(UiPlacementTest.java:73)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-07-24 06:00:41 I/FailureListener: FailureListener.testFailed com.google.android.placement.gts.UiPlacementTest#testPlayStore false false false
-07-24 06:00:41 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.UiPlacementTest#testPlayStore, {})
-07-24 06:00:41 D/ModuleListener: ModuleListener.testRunEnded(551, {})
-07-24 06:00:41 I/ConsoleReporter: [chromeos2-row4-rack9-host4:22] x86 GtsPlacementTestCases completed in 551 ms. 2 passed, 3 failed, 0 not executed
-07-24 06:00:41 D/ModuleDef: Cleaner: DynamicConfigPusher
-07-24 06:00:41 D/ModuleDef: Cleaner: ApkInstaller
-07-24 06:00:41 D/TestDevice: Uninstalling com.google.android.placement.gts
-07-24 06:00:42 W/CompatibilityTest: Inaccurate runtime hint for x86 GtsPlacementTestCases, expected 1m 0s was 3s
-07-24 06:00:42 I/CompatibilityTest: Running system status checker after module execution: GtsPlacementTestCases
-07-24 06:00:42 I/MonitoringUtils: Connectivity: passed check.
-07-24 06:00:42 I/CompatibilityTest: Running system status checker before module execution: GtsPlacementTestCases
-07-24 06:00:42 D/ModuleDef: Preparer: DynamicConfigPusher
-07-24 06:00:42 D/ModuleDef: Preparer: ApkInstaller
-07-24 06:00:42 D/TestAppInstallSetup: Installing apk from /tmp/autotest-tradefed-install_Ftg6Ug/8dc71b21472e3693bd93e1ef70d3ce46/gts-4.1_r2-3911033/android-gts/tools/../../android-gts/testcases/GtsPlacementTestCases.apk ...
-07-24 06:00:42 D/GtsPlacementTestCases.apk: Uploading GtsPlacementTestCases.apk onto device 'chromeos2-row4-rack9-host4:22'
-07-24 06:00:42 D/Device: Uploading file onto device 'chromeos2-row4-rack9-host4:22'
-07-24 06:00:43 D/RunUtil: Running command with timeout: 60000ms
-07-24 06:00:43 D/RunUtil: Running [aapt, dump, badging, /tmp/autotest-tradefed-install_Ftg6Ug/8dc71b21472e3693bd93e1ef70d3ce46/gts-4.1_r2-3911033/android-gts/tools/../../android-gts/testcases/GtsPlacementTestCases.apk]
-07-24 06:00:43 D/ModuleDef: Test: AndroidJUnitTest
-07-24 06:00:44 D/InstrumentationTest: Collecting test info for com.google.android.placement.gts on device chromeos2-row4-rack9-host4:22
-07-24 06:00:44 I/RemoteAndroidTest: Running am instrument -w -r --abi armeabi-v7a  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log true -e timeout_msec 300000 com.google.android.placement.gts/android.support.test.runner.AndroidJUnitRunner on google-eve-chromeos2-row4-rack9-host4:22
-07-24 06:00:44 I/RemoteAndroidTest: Running am instrument -w -r --abi armeabi-v7a  -e testFile /data/local/tmp/ajur/includes.txt -e debug false -e log false -e timeout_msec 300000 com.google.android.placement.gts/android.support.test.runner.AndroidJUnitRunner on google-eve-chromeos2-row4-rack9-host4:22
-07-24 06:00:45 D/ModuleListener: ModuleListener.testRunStarted(com.google.android.placement.gts, 5)
-07-24 06:00:45 I/ConsoleReporter: [chromeos2-row4-rack9-host4:22] Starting armeabi-v7a GtsPlacementTestCases with 5 tests
-07-24 06:00:45 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded)
-07-24 06:00:45 D/ModuleListener: ModuleListener.testFailed(com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded, junit.framework.AssertionFailedError: Mandatory core GMS packages not found as system apps:

-com.android.chrome

-com.android.providers.partnerbookmarks

-com.google.android.apps.docs

-com.google.android.apps.maps

-com.google.android.backuptransport

-com.google.android.configupdater

-com.google.android.gm

-com.google.android.music

-com.google.android.onetimeinitializer

-com.google.android.partnersetup

-com.google.android.setupwizard

-com.google.android.videos

-com.google.android.youtube

-com.google.android.apps.photos

-com.google.android.syncadapters.calendar

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.checkGeneralCoreGmsAppsPreloaded(CoreGmsAppsTest.java:141)

-at com.google.android.placement.gts.CoreGmsAppsTest.testCoreGmsAppsPreloaded(CoreGmsAppsTest.java:275)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-07-24 06:00:45 I/ConsoleReporter: [1/5 armeabi-v7a GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded fail: junit.framework.AssertionFailedError: Mandatory core GMS packages not found as system apps:

-com.android.chrome

-com.android.providers.partnerbookmarks

-com.google.android.apps.docs

-com.google.android.apps.maps

-com.google.android.backuptransport

-com.google.android.configupdater

-com.google.android.gm

-com.google.android.music

-com.google.android.onetimeinitializer

-com.google.android.partnersetup

-com.google.android.setupwizard

-com.google.android.videos

-com.google.android.youtube

-com.google.android.apps.photos

-com.google.android.syncadapters.calendar

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.checkGeneralCoreGmsAppsPreloaded(CoreGmsAppsTest.java:141)

-at com.google.android.placement.gts.CoreGmsAppsTest.testCoreGmsAppsPreloaded(CoreGmsAppsTest.java:275)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-07-24 06:00:45 I/FailureListener: FailureListener.testFailed com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded false false false
-07-24 06:00:45 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testCoreGmsAppsPreloaded, {})
-07-24 06:00:45 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testCustomizedWebviewPreloaded)
-07-24 06:00:45 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testCustomizedWebviewPreloaded, {})
-07-24 06:00:45 I/ConsoleReporter: [2/5 armeabi-v7a GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testCustomizedWebviewPreloaded pass
-07-24 06:00:45 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded)
-07-24 06:00:45 D/ModuleListener: ModuleListener.testFailed(com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded, junit.framework.AssertionFailedError: Mandatory app Hangouts not preloaded

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.testGoogleDuoPreloaded(CoreGmsAppsTest.java:230)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-07-24 06:00:45 I/ConsoleReporter: [3/5 armeabi-v7a GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded fail: junit.framework.AssertionFailedError: Mandatory app Hangouts not preloaded

-at junit.framework.Assert.fail(Assert.java:50)

-at junit.framework.Assert.assertTrue(Assert.java:20)

-at com.google.android.placement.gts.CoreGmsAppsTest.testGoogleDuoPreloaded(CoreGmsAppsTest.java:230)

-at java.lang.reflect.Method.invoke(Native Method)

-at junit.framework.TestCase.runTest(TestCase.java:168)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-07-24 06:00:45 I/FailureListener: FailureListener.testFailed com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded false false false
-07-24 06:00:45 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testGoogleDuoPreloaded, {})
-07-24 06:00:45 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.CoreGmsAppsTest#testNoPreReleaseGmsCore)
-07-24 06:00:45 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.CoreGmsAppsTest#testNoPreReleaseGmsCore, {})
-07-24 06:00:45 I/ConsoleReporter: [4/5 armeabi-v7a GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.CoreGmsAppsTest#testNoPreReleaseGmsCore pass
-07-24 06:00:45 D/ModuleListener: ModuleListener.testStarted(com.google.android.placement.gts.UiPlacementTest#testPlayStore)
-07-24 06:00:45 D/ModuleListener: ModuleListener.testFailed(com.google.android.placement.gts.UiPlacementTest#testPlayStore, java.lang.NullPointerException: Attempt to invoke virtual method 'void android.support.test.uiautomator.UiObject2.click()' on a null object reference

-at com.google.android.placement.gts.UiPlacementTest.tryElement(UiPlacementTest.java:77)

-at com.google.android.placement.gts.UiPlacementTest.testPlayStore(UiPlacementTest.java:73)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-)
-07-24 06:00:45 I/ConsoleReporter: [5/5 armeabi-v7a GtsPlacementTestCases chromeos2-row4-rack9-host4:22] com.google.android.placement.gts.UiPlacementTest#testPlayStore fail: java.lang.NullPointerException: Attempt to invoke virtual method 'void android.support.test.uiautomator.UiObject2.click()' on a null object reference

-at com.google.android.placement.gts.UiPlacementTest.tryElement(UiPlacementTest.java:77)

-at com.google.android.placement.gts.UiPlacementTest.testPlayStore(UiPlacementTest.java:73)

-at java.lang.reflect.Method.invoke(Native Method)

-at android.test.InstrumentationTestCase.runMethod(InstrumentationTestCase.java:220)

-at android.test.InstrumentationTestCase.runTest(InstrumentationTestCase.java:205)

-at junit.framework.TestCase.runBare(TestCase.java:134)

-at junit.framework.TestResult$1.protect(TestResult.java:115)

-at android.support.test.internal.runner.junit3.AndroidTestResult.runProtected(AndroidTestResult.java:77)

-at junit.framework.TestResult.run(TestResult.java:118)

-at android.support.test.internal.runner.junit3.AndroidTestResult.run(AndroidTestResult.java:55)

-at junit.framework.TestCase.run(TestCase.java:124)

-at android.support.test.internal.runner.junit3.NonLeakyTestSuite$NonLeakyTest.run(NonLeakyTestSuite.java:63)

-at android.support.test.internal.runner.junit3.AndroidTestSuite$1.run(AndroidTestSuite.java:97)

-at java.util.concurrent.Executors$RunnableAdapter.call(Executors.java:428)

-at java.util.concurrent.FutureTask.run(FutureTask.java:237)

-at java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1133)

-at java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:607)

-at java.lang.Thread.run(Thread.java:761)

-
-07-24 06:00:45 I/FailureListener: FailureListener.testFailed com.google.android.placement.gts.UiPlacementTest#testPlayStore false false false
-07-24 06:00:45 D/ModuleListener: ModuleListener.testEnded(com.google.android.placement.gts.UiPlacementTest#testPlayStore, {})
-07-24 06:00:45 D/ModuleListener: ModuleListener.testRunEnded(585, {})
-07-24 06:00:45 I/ConsoleReporter: [chromeos2-row4-rack9-host4:22] armeabi-v7a GtsPlacementTestCases completed in 585 ms. 2 passed, 3 failed, 0 not executed
-07-24 06:00:45 D/ModuleDef: Cleaner: DynamicConfigPusher
-07-24 06:00:45 D/ModuleDef: Cleaner: ApkInstaller
-07-24 06:00:45 D/TestDevice: Uninstalling com.google.android.placement.gts
-07-24 06:00:46 W/CompatibilityTest: Inaccurate runtime hint for armeabi-v7a GtsPlacementTestCases, expected 1m 0s was 3s
-07-24 06:00:46 I/CompatibilityTest: Running system status checker after module execution: GtsPlacementTestCases
-07-24 06:00:46 I/MonitoringUtils: Connectivity: passed check.
-07-24 06:00:47 D/RunUtil: run interrupt allowed: false
-07-24 06:00:47 I/ResultReporter: Invocation finished in 29s. PASSED: 6, FAILED: 9, MODULES: 3 of 3
-07-24 06:00:47 I/ResultReporter: Test Result: /tmp/autotest-tradefed-install_Ftg6Ug/8dc71b21472e3693bd93e1ef70d3ce46/gts-4.1_r2-3911033/android-gts/results/2017.07.24_06.00.18/test_result_failures.html
-07-24 06:00:47 I/ResultReporter: Full Result: /tmp/autotest-tradefed-install_Ftg6Ug/8dc71b21472e3693bd93e1ef70d3ce46/gts-4.1_r2-3911033/android-gts/results/2017.07.24_06.00.18.zip
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/gtsplacement_test_result.xml b/server/cros/tradefed/tradefed_utils_unittest_data/gtsplacement_test_result.xml
deleted file mode 100644
index b7a2f64..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/gtsplacement_test_result.xml
+++ /dev/null
@@ -1,1045 +0,0 @@
-<?xml version='1.0' encoding='UTF-8' standalone='no' ?><?xml-stylesheet type="text/xsl" href="compatibility_result.xsl"?>

-<Result start="1603165727523" end="1603165797787" start_display="Mon Oct 19 20:48:47 PDT 2020" end_display="Mon Oct 19 20:49:57 PDT 2020" command_line_args="gts --module GtsPlacementTestCases --ignore-business-logic-failure -s chromeos15-rack1-camerabox1.cros:22" suite_name="GTS" suite_version="7.0_r4" suite_plan="gts" suite_build_number="6219464" report_version="5.0" devices="chromeos15-rack1-camerabox1.cros:22" host_name="jaydeepmehta-desktop.mtv.corp.google.com" os_name="Linux" os_version="5.7.17-1rodete3-amd64" os_arch="amd64" java_vendor="Oracle Corporation" java_version="1.8.0_131">

-  <Build command_line_args="gts --module GtsPlacementTestCases --ignore-business-logic-failure -s chromeos15-rack1-camerabox1.cros:22" invocation-id="1" setup_time_ms="34489" adb_version="1.0.41 subVersion: 28.0.2-6118618 install path: /tmp/autotest-tradefed-install_5CGfcs/0d80ff6f5cc49b1bc889a5215b96035b/adb" java_version="1.8.0_131" fetch_build_time_ms="8" java_classpath=":/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/tools/tradefed.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/tools/loganalysis.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/tools/hosttestlib.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/tools/compatibility-host-util.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/tools/gts-tradefed.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/tools/gts-tradefed-tests.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/AngleIntegrationTestCommon.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/CtsCheckpointTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsAccountsHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsArtManagerHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsAssistantHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsBackupHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsBootStatsTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsCastHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsEdiHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsGameDeviceHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsGmscoreHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsGraphicsHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsHomeHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsInstantAppsHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsLargeApkHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsLauncherHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsLocationHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsMemoryHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsNetStatsCommon.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsNetStatsHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsNetworkStackHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsPackageManagerHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsPermissionControllerHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsPlayStoreCommon.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsPlayStoreHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsSampleHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsScreenshotHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsSearchHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsSecurityHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsSensorHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsSettingsHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsSetupWizardHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsSsaidHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsStagedInstallHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsStatsdHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsTestHarnessModeTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsTvHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsUnofficialApisUsageTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/gts-utils-axt.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsWebViewHostTestCases.jar:/tmp/autotest-tradefed-install_5CGfcs/78112b170927a57ac6d4f33a6a73fdb3/android-gts-7_r4-6219464/android-gts/tools/../../android-gts/testcases/GtsWellbeingHostTestCases.jar" build_manufacturer="Google" build_abis_32="x86,armeabi-v7a,armeabi" build_reference_fingerprint="" build_product="soraka" build_tags="release-keys" build_version_incremental="6912088" build_brand="google" build_fingerprint="google/soraka/soraka_cheets:9/R88-13543.0.0/6912088:user/release-keys" build_model="HP Chromebook x2" build_device="soraka_cheets" build_id="R88-13543.0.0" build_version_sdk="28" build_serial="B4301EF65AA383F6AB0A" build_version_security_patch="2020-10-05" build_abi="x86_64" build_abis_64="x86_64,arm64-v8a" build_vendor_fingerprint="google/soraka/soraka_cheets:9/R88-13543.0.0/6912088:user/release-keys" build_version_base_os="" build_abis="x86_64,x86,arm64-v8a,armeabi-v7a,armeabi" build_board="soraka" build_type="user" build_version_release="9" build_abi2="" />

-  <Summary pass="80" failed="4" modules_done="4" modules_total="4" />

-  <Module name="GtsPlacementTestCases" abi="arm64-v8a" runtime="3646" done="true" pass="20" total_tests="26">

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsPrivappPermissionsTest">

-      <Test result="pass" name="testCoreGmsAppsPermissionsWhitelisted" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsTest">

-      <Test result="ASSUMPTION_FAILURE" name="testVrCorePreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: test only applies to devices declaring VR high-performance feature.&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: test only applies to devices declaring VR high-performance feature.

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.skipTest(BusinessLogicTestCase.java:119)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGoogleLoginServicePreloaded" />

-      <Test result="ASSUMPTION_FAILURE" name="testCoreGasAppsPreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;

-	at org.junit.Assume.assumeThat(Assume.java:95)

-	at org.junit.Assume.assumeTrue(Assume.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.testCoreGasAppsPreloaded(CoreGmsAppsTest.java:559)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at org.junit.internal.runners.statements.InvokeMethod.evaluate(InvokeMethod.java:17)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:148)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:142)

-	at java.util.concurrent.FutureTask.run(FutureTask.java:266)

-	at java.lang.Thread.run(Thread.java:764)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="fail" name="testCoreGmsAppsPreloaded">

-        <Failure message="java.lang.RuntimeException: Assertion failure: the following are not system apps: [com.google.android.backuptransport]&#13;">

-          <StackTrace>java.lang.RuntimeException: Assertion failure: the following are not system apps: [com.google.android.backuptransport]

-	at org.junit.Assert.fail(Assert.java:88)

-	at org.junit.Assert.assertTrue(Assert.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.assertSystemApps(CoreGmsAppsTest.java:141)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="ASSUMPTION_FAILURE" name="testGmsNotPreloadedOnAutomotiveDevice">

-        <Failure message="org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;

-	at org.junit.Assume.assumeThat(Assume.java:95)

-	at org.junit.Assume.assumeTrue(Assume.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.testGmsNotPreloadedOnAutomotiveDevice(CoreGmsAppsTest.java:583)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at org.junit.internal.runners.statements.InvokeMethod.evaluate(InvokeMethod.java:17)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:148)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:142)

-	at java.util.concurrent.FutureTask.run(FutureTask.java:266)

-	at java.lang.Thread.run(Thread.java:764)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGoogleDuoPreloaded" />

-      <Test result="ASSUMPTION_FAILURE" name="testArCorePreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: test only applies to devices declaring AR feature.&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: test only applies to devices declaring AR feature.

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.skipTest(BusinessLogicTestCase.java:119)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGMSExpressPlus" />

-      <Test result="pass" name="testNoPreReleaseGmsCore" />

-      <Test result="pass" name="testCustomizedWebviewPreloaded" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsVersionTest">

-      <Test result="pass" name="testCoreGmsAppsVersions" />

-      <Test result="pass" name="testGoGmsVersions" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.DefaultIntentTest">

-      <Test result="pass" name="testDefaultIntentHandlers" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.HomescreenLayoutTest">

-      <Test result="pass" name="testShortcutPlacement" />

-      <Test result="pass" name="testFolderPlacement" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.HomescreenPlacementTest">

-      <Test result="pass" name="testWidgetPlacement" />

-      <Test result="pass" name="testAppPlacement" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.InstalledAppsTest">

-      <Test result="pass" name="testAppsInstalled" />

-      <Test result="pass" name="testSystemAppsInstalled" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.LowRamAppsTest">

-      <Test result="pass" name="testNonGoDeviceHasNoAppsThatUsesLowRam" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.PreloadHeadedAppsTest">

-      <Test result="ASSUMPTION_FAILURE" name="testNumberOfHeadedApplications">

-        <Failure message="org.junit.AssumptionViolatedException: Skipping PreloadHeadedAppsTest on non-Go device&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: Skipping PreloadHeadedAppsTest on non-Go device

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.google.android.placement.gts.PreloadHeadedAppsTest.checkIsGo(PreloadHeadedAppsTest.java:115)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at androidx.test.internal.runner.junit4.statement.RunAfters.evaluate(RunAfters.java:61)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.UiPlacementTest">

-      <Test result="pass" name="testAppPresent" />

-      <Test result="pass" name="testHotseat" />

-      <Test result="pass" name="testRSACompliance" />

-      <Test result="pass" name="testEEAv2AppPlacement" />

-    </TestCase>

-  </Module>

-  <Module name="GtsPlacementTestCases" abi="armeabi-v7a" runtime="4023" done="true" pass="20" total_tests="26">

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsPrivappPermissionsTest">

-      <Test result="pass" name="testCoreGmsAppsPermissionsWhitelisted" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsTest">

-      <Test result="ASSUMPTION_FAILURE" name="testVrCorePreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: test only applies to devices declaring VR high-performance feature.&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: test only applies to devices declaring VR high-performance feature.

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.skipTest(BusinessLogicTestCase.java:119)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGoogleLoginServicePreloaded" />

-      <Test result="ASSUMPTION_FAILURE" name="testCoreGasAppsPreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;

-	at org.junit.Assume.assumeThat(Assume.java:95)

-	at org.junit.Assume.assumeTrue(Assume.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.testCoreGasAppsPreloaded(CoreGmsAppsTest.java:559)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at org.junit.internal.runners.statements.InvokeMethod.evaluate(InvokeMethod.java:17)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:148)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:142)

-	at java.util.concurrent.FutureTask.run(FutureTask.java:266)

-	at java.lang.Thread.run(Thread.java:764)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="fail" name="testCoreGmsAppsPreloaded">

-        <Failure message="java.lang.RuntimeException: Assertion failure: the following are not system apps: [com.google.android.backuptransport]&#13;">

-          <StackTrace>java.lang.RuntimeException: Assertion failure: the following are not system apps: [com.google.android.backuptransport]

-	at org.junit.Assert.fail(Assert.java:88)

-	at org.junit.Assert.assertTrue(Assert.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.assertSystemApps(CoreGmsAppsTest.java:141)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="ASSUMPTION_FAILURE" name="testGmsNotPreloadedOnAutomotiveDevice">

-        <Failure message="org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;

-	at org.junit.Assume.assumeThat(Assume.java:95)

-	at org.junit.Assume.assumeTrue(Assume.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.testGmsNotPreloadedOnAutomotiveDevice(CoreGmsAppsTest.java:583)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at org.junit.internal.runners.statements.InvokeMethod.evaluate(InvokeMethod.java:17)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:148)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:142)

-	at java.util.concurrent.FutureTask.run(FutureTask.java:266)

-	at java.lang.Thread.run(Thread.java:764)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGoogleDuoPreloaded" />

-      <Test result="ASSUMPTION_FAILURE" name="testArCorePreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: test only applies to devices declaring AR feature.&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: test only applies to devices declaring AR feature.

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.skipTest(BusinessLogicTestCase.java:119)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGMSExpressPlus" />

-      <Test result="pass" name="testNoPreReleaseGmsCore" />

-      <Test result="pass" name="testCustomizedWebviewPreloaded" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsVersionTest">

-      <Test result="pass" name="testCoreGmsAppsVersions" />

-      <Test result="pass" name="testGoGmsVersions" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.DefaultIntentTest">

-      <Test result="pass" name="testDefaultIntentHandlers" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.HomescreenLayoutTest">

-      <Test result="pass" name="testShortcutPlacement" />

-      <Test result="pass" name="testFolderPlacement" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.HomescreenPlacementTest">

-      <Test result="pass" name="testWidgetPlacement" />

-      <Test result="pass" name="testAppPlacement" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.InstalledAppsTest">

-      <Test result="pass" name="testAppsInstalled" />

-      <Test result="pass" name="testSystemAppsInstalled" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.LowRamAppsTest">

-      <Test result="pass" name="testNonGoDeviceHasNoAppsThatUsesLowRam" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.PreloadHeadedAppsTest">

-      <Test result="ASSUMPTION_FAILURE" name="testNumberOfHeadedApplications">

-        <Failure message="org.junit.AssumptionViolatedException: Skipping PreloadHeadedAppsTest on non-Go device&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: Skipping PreloadHeadedAppsTest on non-Go device

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.google.android.placement.gts.PreloadHeadedAppsTest.checkIsGo(PreloadHeadedAppsTest.java:115)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at androidx.test.internal.runner.junit4.statement.RunAfters.evaluate(RunAfters.java:61)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.UiPlacementTest">

-      <Test result="pass" name="testAppPresent" />

-      <Test result="pass" name="testHotseat" />

-      <Test result="pass" name="testRSACompliance" />

-      <Test result="pass" name="testEEAv2AppPlacement" />

-    </TestCase>

-  </Module>

-  <Module name="GtsPlacementTestCases" abi="x86" runtime="4095" done="true" pass="20" total_tests="26">

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsPrivappPermissionsTest">

-      <Test result="pass" name="testCoreGmsAppsPermissionsWhitelisted" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsTest">

-      <Test result="ASSUMPTION_FAILURE" name="testVrCorePreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: test only applies to devices declaring VR high-performance feature.&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: test only applies to devices declaring VR high-performance feature.

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.skipTest(BusinessLogicTestCase.java:119)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGoogleLoginServicePreloaded" />

-      <Test result="ASSUMPTION_FAILURE" name="testCoreGasAppsPreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;

-	at org.junit.Assume.assumeThat(Assume.java:95)

-	at org.junit.Assume.assumeTrue(Assume.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.testCoreGasAppsPreloaded(CoreGmsAppsTest.java:559)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at org.junit.internal.runners.statements.InvokeMethod.evaluate(InvokeMethod.java:17)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:148)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:142)

-	at java.util.concurrent.FutureTask.run(FutureTask.java:266)

-	at java.lang.Thread.run(Thread.java:764)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="fail" name="testCoreGmsAppsPreloaded">

-        <Failure message="java.lang.RuntimeException: Assertion failure: the following are not system apps: [com.google.android.backuptransport]&#13;">

-          <StackTrace>java.lang.RuntimeException: Assertion failure: the following are not system apps: [com.google.android.backuptransport]

-	at org.junit.Assert.fail(Assert.java:88)

-	at org.junit.Assert.assertTrue(Assert.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.assertSystemApps(CoreGmsAppsTest.java:141)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="ASSUMPTION_FAILURE" name="testGmsNotPreloadedOnAutomotiveDevice">

-        <Failure message="org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;

-	at org.junit.Assume.assumeThat(Assume.java:95)

-	at org.junit.Assume.assumeTrue(Assume.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.testGmsNotPreloadedOnAutomotiveDevice(CoreGmsAppsTest.java:583)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at org.junit.internal.runners.statements.InvokeMethod.evaluate(InvokeMethod.java:17)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:148)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:142)

-	at java.util.concurrent.FutureTask.run(FutureTask.java:266)

-	at java.lang.Thread.run(Thread.java:764)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGoogleDuoPreloaded" />

-      <Test result="ASSUMPTION_FAILURE" name="testArCorePreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: test only applies to devices declaring AR feature.&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: test only applies to devices declaring AR feature.

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.skipTest(BusinessLogicTestCase.java:119)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGMSExpressPlus" />

-      <Test result="pass" name="testNoPreReleaseGmsCore" />

-      <Test result="pass" name="testCustomizedWebviewPreloaded" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsVersionTest">

-      <Test result="pass" name="testCoreGmsAppsVersions" />

-      <Test result="pass" name="testGoGmsVersions" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.DefaultIntentTest">

-      <Test result="pass" name="testDefaultIntentHandlers" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.HomescreenLayoutTest">

-      <Test result="pass" name="testShortcutPlacement" />

-      <Test result="pass" name="testFolderPlacement" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.HomescreenPlacementTest">

-      <Test result="pass" name="testWidgetPlacement" />

-      <Test result="pass" name="testAppPlacement" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.InstalledAppsTest">

-      <Test result="pass" name="testAppsInstalled" />

-      <Test result="pass" name="testSystemAppsInstalled" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.LowRamAppsTest">

-      <Test result="pass" name="testNonGoDeviceHasNoAppsThatUsesLowRam" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.PreloadHeadedAppsTest">

-      <Test result="ASSUMPTION_FAILURE" name="testNumberOfHeadedApplications">

-        <Failure message="org.junit.AssumptionViolatedException: Skipping PreloadHeadedAppsTest on non-Go device&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: Skipping PreloadHeadedAppsTest on non-Go device

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.google.android.placement.gts.PreloadHeadedAppsTest.checkIsGo(PreloadHeadedAppsTest.java:115)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at androidx.test.internal.runner.junit4.statement.RunAfters.evaluate(RunAfters.java:61)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.UiPlacementTest">

-      <Test result="pass" name="testAppPresent" />

-      <Test result="pass" name="testHotseat" />

-      <Test result="pass" name="testRSACompliance" />

-      <Test result="pass" name="testEEAv2AppPlacement" />

-    </TestCase>

-  </Module>

-  <Module name="GtsPlacementTestCases" abi="x86_64" runtime="3669" done="true" pass="20" total_tests="26">

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsPrivappPermissionsTest">

-      <Test result="pass" name="testCoreGmsAppsPermissionsWhitelisted" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsTest">

-      <Test result="ASSUMPTION_FAILURE" name="testVrCorePreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: test only applies to devices declaring VR high-performance feature.&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: test only applies to devices declaring VR high-performance feature.

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.skipTest(BusinessLogicTestCase.java:119)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGoogleLoginServicePreloaded" />

-      <Test result="ASSUMPTION_FAILURE" name="testCoreGasAppsPreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;

-	at org.junit.Assume.assumeThat(Assume.java:95)

-	at org.junit.Assume.assumeTrue(Assume.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.testCoreGasAppsPreloaded(CoreGmsAppsTest.java:559)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at org.junit.internal.runners.statements.InvokeMethod.evaluate(InvokeMethod.java:17)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:148)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:142)

-	at java.util.concurrent.FutureTask.run(FutureTask.java:266)

-	at java.lang.Thread.run(Thread.java:764)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="fail" name="testCoreGmsAppsPreloaded">

-        <Failure message="java.lang.RuntimeException: Assertion failure: the following are not system apps: [com.google.android.backuptransport]&#13;">

-          <StackTrace>java.lang.RuntimeException: Assertion failure: the following are not system apps: [com.google.android.backuptransport]

-	at org.junit.Assert.fail(Assert.java:88)

-	at org.junit.Assert.assertTrue(Assert.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.assertSystemApps(CoreGmsAppsTest.java:141)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="ASSUMPTION_FAILURE" name="testGmsNotPreloadedOnAutomotiveDevice">

-        <Failure message="org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: got: &amp;lt;false&amp;gt;, expected: is &amp;lt;true&amp;gt;

-	at org.junit.Assume.assumeThat(Assume.java:95)

-	at org.junit.Assume.assumeTrue(Assume.java:41)

-	at com.google.android.placement.gts.CoreGmsAppsTest.testGmsNotPreloadedOnAutomotiveDevice(CoreGmsAppsTest.java:583)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at org.junit.internal.runners.statements.InvokeMethod.evaluate(InvokeMethod.java:17)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:148)

-	at org.junit.internal.runners.statements.FailOnTimeout$CallableStatement.call(FailOnTimeout.java:142)

-	at java.util.concurrent.FutureTask.run(FutureTask.java:266)

-	at java.lang.Thread.run(Thread.java:764)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGoogleDuoPreloaded" />

-      <Test result="ASSUMPTION_FAILURE" name="testArCorePreloaded">

-        <Failure message="org.junit.AssumptionViolatedException: test only applies to devices declaring AR feature.&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: test only applies to devices declaring AR feature.

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.skipTest(BusinessLogicTestCase.java:119)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at com.android.compatibility.common.util.BusinessLogicExecutor$ResolvedMethod.invoke(BusinessLogicExecutor.java:220)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.invokeMethod(BusinessLogicExecutor.java:145)

-	at com.android.compatibility.common.util.BusinessLogicExecutor.executeAction(BusinessLogicExecutor.java:72)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRuleAction.invoke(BusinessLogic.java:328)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRule.invokeActions(BusinessLogic.java:274)

-	at com.android.compatibility.common.util.BusinessLogic$BusinessLogicRulesList.invokeRules(BusinessLogic.java:234)

-	at com.android.compatibility.common.util.BusinessLogic.applyLogicFor(BusinessLogic.java:83)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.executeBusinessLogic(BusinessLogicTestCase.java:76)

-	at com.android.compatibility.common.util.BusinessLogicTestCase.handleBusinessLogic(BusinessLogicTestCase.java:61)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at org.junit.rules.TestWatcher$1.evaluate(TestWatcher.java:55)

-	at org.junit.rules.RunRules.evaluate(RunRules.java:20)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-      <Test result="pass" name="testGMSExpressPlus" />

-      <Test result="pass" name="testNoPreReleaseGmsCore" />

-      <Test result="pass" name="testCustomizedWebviewPreloaded" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.CoreGmsAppsVersionTest">

-      <Test result="pass" name="testCoreGmsAppsVersions" />

-      <Test result="pass" name="testGoGmsVersions" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.DefaultIntentTest">

-      <Test result="pass" name="testDefaultIntentHandlers" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.HomescreenLayoutTest">

-      <Test result="pass" name="testShortcutPlacement" />

-      <Test result="pass" name="testFolderPlacement" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.HomescreenPlacementTest">

-      <Test result="pass" name="testWidgetPlacement" />

-      <Test result="pass" name="testAppPlacement" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.InstalledAppsTest">

-      <Test result="pass" name="testAppsInstalled" />

-      <Test result="pass" name="testSystemAppsInstalled" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.LowRamAppsTest">

-      <Test result="pass" name="testNonGoDeviceHasNoAppsThatUsesLowRam" />

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.PreloadHeadedAppsTest">

-      <Test result="ASSUMPTION_FAILURE" name="testNumberOfHeadedApplications">

-        <Failure message="org.junit.AssumptionViolatedException: Skipping PreloadHeadedAppsTest on non-Go device&#13;">

-          <StackTrace>org.junit.AssumptionViolatedException: Skipping PreloadHeadedAppsTest on non-Go device

-	at org.junit.Assume.assumeTrue(Assume.java:59)

-	at com.google.android.placement.gts.PreloadHeadedAppsTest.checkIsGo(PreloadHeadedAppsTest.java:115)

-	at java.lang.reflect.Method.invoke(Native Method)

-	at org.junit.runners.model.FrameworkMethod$1.runReflectiveCall(FrameworkMethod.java:50)

-	at org.junit.internal.runners.model.ReflectiveCallable.run(ReflectiveCallable.java:12)

-	at org.junit.runners.model.FrameworkMethod.invokeExplosively(FrameworkMethod.java:52)

-	at androidx.test.internal.runner.junit4.statement.RunBefores.evaluate(RunBefores.java:76)

-	at androidx.test.internal.runner.junit4.statement.RunAfters.evaluate(RunAfters.java:61)

-	at org.junit.runners.ParentRunner.runLeaf(ParentRunner.java:325)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:78)

-	at org.junit.runners.BlockJUnit4ClassRunner.runChild(BlockJUnit4ClassRunner.java:57)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at androidx.test.runner.AndroidJUnit4.run(AndroidJUnit4.java:104)

-	at org.junit.runners.Suite.runChild(Suite.java:128)

-	at org.junit.runners.Suite.runChild(Suite.java:27)

-	at org.junit.runners.ParentRunner$3.run(ParentRunner.java:290)

-	at org.junit.runners.ParentRunner$1.schedule(ParentRunner.java:71)

-	at org.junit.runners.ParentRunner.runChildren(ParentRunner.java:288)

-	at org.junit.runners.ParentRunner.access$000(ParentRunner.java:58)

-	at org.junit.runners.ParentRunner$2.evaluate(ParentRunner.java:268)

-	at org.junit.runners.ParentRunner.run(ParentRunner.java:363)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:137)

-	at org.junit.runner.JUnitCore.run(JUnitCore.java:115)

-	at androidx.test.internal.runner.TestExecutor.execute(TestExecutor.java:56)

-	at androidx.test.runner.AndroidJUnitRunner.onStart(AndroidJUnitRunner.java:392)

-	at android.app.Instrumentation$InstrumentationThread.run(Instrumentation.java:2164)

-</StackTrace>

-        </Failure>

-      </Test>

-    </TestCase>

-    <TestCase name="com.google.android.placement.gts.UiPlacementTest">

-      <Test result="pass" name="testAppPresent" />

-      <Test result="pass" name="testHotseat" />

-      <Test result="pass" name="testRSACompliance" />

-      <Test result="pass" name="testEEAv2AppPlacement" />

-    </TestCase>

-  </Module>

-</Result>
\ No newline at end of file
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/malformed_test_result.xml b/server/cros/tradefed/tradefed_utils_unittest_data/malformed_test_result.xml
deleted file mode 100644
index 45a38cf..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/malformed_test_result.xml
+++ /dev/null
@@ -1,14 +0,0 @@
-<?xml version='1.0' encoding='UTF-8' standalone='no' ?><?xml-stylesheet type="text/xsl" href="compatibility_result.xsl"?>

-<Result start="1574806920561" end="1574821648666" start_display="Tue Nov 26 14:22:00 PST 2019" end_display="Tue Nov 26 18:27:28 PST 2019" suite_name="CTS" suite_version="9.0_r9" suite_plan="cts" suite_build_number="5793965" report_version="5.0" command_line_args="cts --include-filter CtsMediaTestCases --logcat-on-failure -s chromeos6-row2-rack22-host15:22" devices="chromeos6-row2-rack22-host15:22" host_name="test-chromeos6-row2-rack22-host15" os_name="Linux" os_version="4.15.0-55-generic" os_arch="amd64" java_vendor="Oracle Corporation" java_version="1.8.0_45-internal">

-  <Build build_abis_64="" build_manufacturer="Google" build_abis_32="x86,armeabi-v7a,armeabi" build_product="asuka" build_brand="google" build_board="asuka" build_serial="65602BCDBA8BD79EDD44" build_version_security_patch="2019-11-01" build_reference_fingerprint="" build_fingerprint="google/asuka/asuka_cheets:9/R78-12499.77.0/6026164:user/release-keys" build_version_sdk="28" build_abis="x86,armeabi-v7a,armeabi" build_device="asuka_cheets" build_abi="x86" build_model="Dell Chromebook 13 (3380)" build_id="R78-12499.77.0" build_abi2="" build_version_incremental="6026164" build_version_release="9" build_version_base_os="" build_type="user" build_tags="release-keys" run_history='[{"startTime":1574806920561,"endTime":1574821648666}]' />

-  <RunHistory>

-    <Run start="1574806920561" end="1574821648666" />

-  </RunHistory>

-  <Summary pass="2153" failed="0" modules_done="1" modules_total="1" />

-  <!--<Module name="CtsMediaTestCases" abi="armeabi-v7a" runtime="14645648" done="true" pass="2153">-->

-  <Module abi="armeabi-v7a" runtime="14645648" done="true" pass="2153">

-    <TestCase name="android.media.cts.AdaptivePlaybackTest">

-      <Test result="pass" name="testH263_adaptiveDrc" />

-    </TestCase>

-  </Module>

-</Result>

diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_07.12.54.zip b/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_07.12.54.zip
deleted file mode 100644
index e69de29..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_07.12.54.zip
+++ /dev/null
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_07.12.54/test_result.xml b/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_07.12.54/test_result.xml
deleted file mode 100644
index e69de29..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_07.12.54/test_result.xml
+++ /dev/null
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_10.14.55.zip b/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_10.14.55.zip
deleted file mode 100644
index e69de29..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_10.14.55.zip
+++ /dev/null
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_10.14.55/test_result.xml b/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_10.14.55/test_result.xml
deleted file mode 100644
index e69de29..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/results/2019.11.07_10.14.55/test_result.xml
+++ /dev/null
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/results/latest b/server/cros/tradefed/tradefed_utils_unittest_data/results/latest
deleted file mode 120000
index 80e23b8..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/results/latest
+++ /dev/null
@@ -1 +0,0 @@
-2019.11.07_10.14.55/
\ No newline at end of file
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/results/logs/log_files b/server/cros/tradefed/tradefed_utils_unittest_data/results/logs/log_files
deleted file mode 100644
index e69de29..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/results/logs/log_files
+++ /dev/null
diff --git a/server/cros/tradefed/tradefed_utils_unittest_data/test_result.xml b/server/cros/tradefed/tradefed_utils_unittest_data/test_result.xml
deleted file mode 100644
index de4a109..0000000
--- a/server/cros/tradefed/tradefed_utils_unittest_data/test_result.xml
+++ /dev/null
@@ -1,2603 +0,0 @@
-<?xml version='1.0' encoding='UTF-8' standalone='no' ?><?xml-stylesheet type="text/xsl" href="compatibility_result.xsl"?>

-<Result start="1574806920561" end="1574821648666" start_display="Tue Nov 26 14:22:00 PST 2019" end_display="Tue Nov 26 18:27:28 PST 2019" suite_name="CTS" suite_version="9.0_r9" suite_plan="cts" suite_build_number="5793965" report_version="5.0" command_line_args="cts --include-filter CtsMediaTestCases --logcat-on-failure -s chromeos6-row2-rack22-host15:22" devices="chromeos6-row2-rack22-host15:22" host_name="test-chromeos6-row2-rack22-host15" os_name="Linux" os_version="4.15.0-55-generic" os_arch="amd64" java_vendor="Oracle Corporation" java_version="1.8.0_45-internal">

-  <Build build_abis_64="" build_manufacturer="Google" build_abis_32="x86,armeabi-v7a,armeabi" build_product="asuka" build_brand="google" build_board="asuka" build_serial="65602BCDBA8BD79EDD44" build_version_security_patch="2019-11-01" build_reference_fingerprint="" build_fingerprint="google/asuka/asuka_cheets:9/R78-12499.77.0/6026164:user/release-keys" build_version_sdk="28" build_abis="x86,armeabi-v7a,armeabi" build_device="asuka_cheets" build_abi="x86" build_model="Dell Chromebook 13 (3380)" build_id="R78-12499.77.0" build_abi2="" build_version_incremental="6026164" build_version_release="9" build_version_base_os="" build_type="user" build_tags="release-keys" run_history='[{"startTime":1574806920561,"endTime":1574821648666}]' />

-  <RunHistory>

-    <Run start="1574806920561" end="1574821648666" />

-  </RunHistory>

-  <Summary pass="2153" failed="0" modules_done="1" modules_total="1" />

-  <Module name="CtsMediaTestCases" abi="armeabi-v7a" runtime="14645648" done="true" pass="2153">

-    <TestCase name="android.media.cts.AdaptivePlaybackTest">

-      <Test result="pass" name="testH263_adaptiveDrc" />

-      <Test result="pass" name="testH263_adaptiveEarlyEos" />

-      <Test result="pass" name="testH263_adaptiveEosFlushSeek" />

-      <Test result="pass" name="testH263_adaptiveReconfigDrc" />

-      <Test result="pass" name="testH263_adaptiveSkipAhead" />

-      <Test result="pass" name="testH263_adaptiveSkipBack" />

-      <Test result="pass" name="testH263_adaptiveSmallReconfigDrc" />

-      <Test result="pass" name="testH263_earlyEos" />

-      <Test result="pass" name="testH263_eosFlushSeek" />

-      <Test result="pass" name="testH263_flushConfigureDrc" />

-      <Test result="pass" name="testH264_adaptiveDrc" />

-      <Test result="pass" name="testH264_adaptiveDrcEarlyEos" />

-      <Test result="pass" name="testH264_adaptiveEarlyEos" />

-      <Test result="pass" name="testH264_adaptiveEosFlushSeek" />

-      <Test result="pass" name="testH264_adaptiveReconfigDrc" />

-      <Test result="pass" name="testH264_adaptiveSkipAhead" />

-      <Test result="pass" name="testH264_adaptiveSkipBack" />

-      <Test result="pass" name="testH264_adaptiveSmallDrc" />

-      <Test result="pass" name="testH264_adaptiveSmallReconfigDrc" />

-      <Test result="pass" name="testH264_earlyEos" />

-      <Test result="pass" name="testH264_eosFlushSeek" />

-      <Test result="pass" name="testH264_flushConfigureDrc" />

-      <Test result="pass" name="testHEVC_adaptiveDrc" />

-      <Test result="pass" name="testHEVC_adaptiveDrcEarlyEos" />

-      <Test result="pass" name="testHEVC_adaptiveEarlyEos" />

-      <Test result="pass" name="testHEVC_adaptiveEosFlushSeek" />

-      <Test result="pass" name="testHEVC_adaptiveReconfigDrc" />

-      <Test result="pass" name="testHEVC_adaptiveSkipAhead" />

-      <Test result="pass" name="testHEVC_adaptiveSkipBack" />

-      <Test result="pass" name="testHEVC_adaptiveSmallDrc" />

-      <Test result="pass" name="testHEVC_adaptiveSmallReconfigDrc" />

-      <Test result="pass" name="testHEVC_earlyEos" />

-      <Test result="pass" name="testHEVC_eosFlushSeek" />

-      <Test result="pass" name="testHEVC_flushConfigureDrc" />

-      <Test result="pass" name="testMpeg4_adaptiveDrc" />

-      <Test result="pass" name="testMpeg4_adaptiveEarlyEos" />

-      <Test result="pass" name="testMpeg4_adaptiveEosFlushSeek" />

-      <Test result="pass" name="testMpeg4_adaptiveReconfigDrc" />

-      <Test result="pass" name="testMpeg4_adaptiveSkipAhead" />

-      <Test result="pass" name="testMpeg4_adaptiveSkipBack" />

-      <Test result="pass" name="testMpeg4_adaptiveSmallReconfigDrc" />

-      <Test result="pass" name="testMpeg4_earlyEos" />

-      <Test result="pass" name="testMpeg4_eosFlushSeek" />

-      <Test result="pass" name="testMpeg4_flushConfigureDrc" />

-      <Test result="pass" name="testVP8_adaptiveDrc" />

-      <Test result="pass" name="testVP8_adaptiveDrcEarlyEos" />

-      <Test result="pass" name="testVP8_adaptiveEarlyEos" />

-      <Test result="pass" name="testVP8_adaptiveEosFlushSeek" />

-      <Test result="pass" name="testVP8_adaptiveReconfigDrc" />

-      <Test result="pass" name="testVP8_adaptiveSkipAhead" />

-      <Test result="pass" name="testVP8_adaptiveSkipBack" />

-      <Test result="pass" name="testVP8_adaptiveSmallDrc" />

-      <Test result="pass" name="testVP8_adaptiveSmallReconfigDrc" />

-      <Test result="pass" name="testVP8_earlyEos" />

-      <Test result="pass" name="testVP8_eosFlushSeek" />

-      <Test result="pass" name="testVP8_flushConfigureDrc" />

-      <Test result="pass" name="testVP9_adaptiveDrc" />

-      <Test result="pass" name="testVP9_adaptiveDrcEarlyEos" />

-      <Test result="pass" name="testVP9_adaptiveEarlyEos" />

-      <Test result="pass" name="testVP9_adaptiveEosFlushSeek" />

-      <Test result="pass" name="testVP9_adaptiveReconfigDrc" />

-      <Test result="pass" name="testVP9_adaptiveSkipAhead" />

-      <Test result="pass" name="testVP9_adaptiveSkipBack" />

-      <Test result="pass" name="testVP9_adaptiveSmallDrc" />

-      <Test result="pass" name="testVP9_adaptiveSmallReconfigDrc" />

-      <Test result="pass" name="testVP9_earlyEos" />

-      <Test result="pass" name="testVP9_eosFlushSeek" />

-      <Test result="pass" name="testVP9_flushConfigureDrc" />

-    </TestCase>

-    <TestCase name="android.media.cts.AsyncPlayerTest">

-      <Test result="pass" name="testAsyncPlayer" />

-      <Test result="pass" name="testAsyncPlayerAudioAttributes" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioAttributesTest">

-      <Test result="pass" name="testGetVolumeControlStreamVsLegacyStream" />

-      <Test result="pass" name="testParcelableDescribeContents" />

-      <Test result="pass" name="testParcelableWriteToParcelCreate" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioEffectTest">

-      <Test result="pass" name="test0_0QueryEffects" />

-      <Test result="pass" name="test1_3GetEnabledAfterRelease" />

-      <Test result="pass" name="test1_4InsertOnMediaPlayer" />

-      <Test result="pass" name="test1_5AuxiliaryOnMediaPlayer" />

-      <Test result="pass" name="test1_6AuxiliaryOnMediaPlayerFailure" />

-      <Test result="pass" name="test1_7AuxiliaryOnAudioTrack" />

-      <Test result="pass" name="test2_0SetEnabledGetEnabled" />

-      <Test result="pass" name="test2_1SetEnabledAfterRelease" />

-      <Test result="pass" name="test3_0SetParameterByteArrayByteArray" />

-      <Test result="pass" name="test3_1SetParameterIntInt" />

-      <Test result="pass" name="test3_2SetParameterIntShort" />

-      <Test result="pass" name="test3_3SetParameterIntByteArray" />

-      <Test result="pass" name="test3_4SetParameterIntArrayIntArray" />

-      <Test result="pass" name="test3_5SetParameterIntArrayShortArray" />

-      <Test result="pass" name="test3_6SetParameterIntArrayByteArray" />

-      <Test result="pass" name="test3_7SetParameterAfterRelease" />

-      <Test result="pass" name="test3_8GetParameterAfterRelease" />

-      <Test result="pass" name="test4_0setEnabledLowerPriority" />

-      <Test result="pass" name="test4_1setParameterLowerPriority" />

-      <Test result="pass" name="test4_2ControlStatusListener" />

-      <Test result="pass" name="test4_3EnableStatusListener" />

-      <Test result="pass" name="test4_4ParameterChangedListener" />

-      <Test result="pass" name="test5_0Command" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioFocusTest">

-      <Test result="pass" name="testAudioFocusRequestBuilderDefault" />

-      <Test result="pass" name="testAudioFocusRequestCopyBuilder" />

-      <Test result="pass" name="testAudioFocusRequestForceDuckNotA11y" />

-      <Test result="pass" name="testAudioFocusRequestGainLoss" />

-      <Test result="pass" name="testAudioFocusRequestGainLossHandler" />

-      <Test result="pass" name="testAudioFocusRequestGainLossTransient" />

-      <Test result="pass" name="testAudioFocusRequestGainLossTransientDuck" />

-      <Test result="pass" name="testAudioFocusRequestGainLossTransientDuckHandler" />

-      <Test result="pass" name="testAudioFocusRequestGainLossTransientHandler" />

-      <Test result="pass" name="testInvalidAudioFocusRequestDelayNoListener" />

-      <Test result="pass" name="testInvalidAudioFocusRequestPauseOnDuckNoListener" />

-      <Test result="pass" name="testNullListenerHandlerNpe" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioFormatTest">

-      <Test result="pass" name="testBuilderForCopy" />

-      <Test result="pass" name="testParcel" />

-      <Test result="pass" name="testPartialFormatBuilderForCopyChanIdxMask" />

-      <Test result="pass" name="testPartialFormatBuilderForCopyChanMask" />

-      <Test result="pass" name="testPartialFormatBuilderForCopyEncoding" />

-      <Test result="pass" name="testPartialFormatBuilderForCopyRate" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioManagerTest">

-      <Test result="pass" name="testAccessMode" />

-      <Test result="pass" name="testAccessRingMode" />

-      <Test result="pass" name="testAccessibilityVolume" />

-      <Test result="pass" name="testAdjustSuggestedStreamVolumeWithIllegalArguments" />

-      <Test result="pass" name="testAdjustVolumeInAlarmsOnlyMode" />

-      <Test result="pass" name="testAdjustVolumeInPriorityOnly" />

-      <Test result="pass" name="testAdjustVolumeInTotalSilenceMode" />

-      <Test result="pass" name="testAdjustVolumeWithIllegalDirection" />

-      <Test result="pass" name="testCheckingZenModeBlockDoesNotRequireNotificationPolicyAccess" />

-      <Test result="pass" name="testGetMicrophones" />

-      <Test result="pass" name="testGetStreamVolumeDb" />

-      <Test result="pass" name="testGetStreamVolumeDbWithIllegalArguments" />

-      <Test result="pass" name="testMicrophoneMute" />

-      <Test result="pass" name="testMicrophoneMuteIntent" />

-      <Test result="pass" name="testMusicActive" />

-      <Test result="pass" name="testMuteDndAffectedStreams" />

-      <Test result="pass" name="testMuteDndUnaffectedStreams" />

-      <Test result="pass" name="testMuteFixedVolume" />

-      <Test result="pass" name="testPriorityOnlyAlarmsAllowed" />

-      <Test result="pass" name="testPriorityOnlyChannelsCanBypassDnd" />

-      <Test result="pass" name="testPriorityOnlyMediaAllowed" />

-      <Test result="pass" name="testPriorityOnlyMuteAll" />

-      <Test result="pass" name="testPriorityOnlyRingerAllowed" />

-      <Test result="pass" name="testPriorityOnlySystemAllowed" />

-      <Test result="pass" name="testRouting" />

-      <Test result="pass" name="testSetInvalidRingerMode" />

-      <Test result="pass" name="testSetRingerModePolicyAccess" />

-      <Test result="pass" name="testSetStreamVolumeInAlarmsOnlyMode" />

-      <Test result="pass" name="testSetStreamVolumeInPriorityOnlyMode" />

-      <Test result="pass" name="testSetStreamVolumeInTotalSilenceMode" />

-      <Test result="pass" name="testSetVoiceCallVolumeToZeroPermission" />

-      <Test result="pass" name="testSoundEffects" />

-      <Test result="pass" name="testVibrateNotification" />

-      <Test result="pass" name="testVibrateRinger" />

-      <Test result="pass" name="testVolume" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioNativeTest">

-      <Test result="pass" name="testAppendixBBufferQueue" />

-      <Test result="pass" name="testAppendixBRecording" />

-      <Test result="pass" name="testInputChannelMasks" />

-      <Test result="pass" name="testOutputChannelMasks" />

-      <Test result="pass" name="testPlayStreamData" />

-      <Test result="pass" name="testRecordAudit" />

-      <Test result="pass" name="testRecordStreamData" />

-      <Test result="pass" name="testStereo16Playback" />

-      <Test result="pass" name="testStereo16Record" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioPlayRoutingNative">

-      <Test result="pass" name="testAquireDefaultProxy" />

-      <Test result="pass" name="testAquirePreRealizeDefaultProxy" />

-      <Test result="pass" name="testRouting" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioPlaybackConfigurationTest">

-      <Test result="pass" name="testCallbackMediaPlayer" />

-      <Test result="pass" name="testCallbackMediaPlayerHandler" />

-      <Test result="pass" name="testCallbackMediaPlayerRelease" />

-      <Test result="pass" name="testGetterMediaPlayer" />

-      <Test result="pass" name="testGetterSoundPool" />

-      <Test result="pass" name="testParcelableWriteToParcel" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioPreProcessingTest">

-      <Test result="pass" name="test1_1NsCreateAndRelease" />

-      <Test result="pass" name="test1_2NsSetEnabledGetEnabled" />

-      <Test result="pass" name="test2_1AecCreateAndRelease" />

-      <Test result="pass" name="test2_2AecSetEnabledGetEnabled" />

-      <Test result="pass" name="test3_1AgcCreateAndRelease" />

-      <Test result="pass" name="test3_2AgcSetEnabledGetEnabled" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioPresentationTest">

-      <Test result="pass" name="testGetters" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioRecordAppOpTest">

-      <Test result="pass" name="testRecordAppOps" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioRecordRoutingNative">

-      <Test result="pass" name="testAquireDefaultProxy" />

-      <Test result="pass" name="testAquirePreRealizeDefaultProxy" />

-      <Test result="pass" name="testRouting" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioRecordTest">

-      <Test result="pass" name="testAudioRecordAuditByteBufferResamplerStereoFloat" />

-      <Test result="pass" name="testAudioRecordAuditChannelIndex2" />

-      <Test result="pass" name="testAudioRecordAuditChannelIndex5" />

-      <Test result="pass" name="testAudioRecordAuditChannelIndexMonoFloat" />

-      <Test result="pass" name="testAudioRecordBufferSize" />

-      <Test result="pass" name="testAudioRecordBuilderDefault" />

-      <Test result="pass" name="testAudioRecordBuilderParams" />

-      <Test result="pass" name="testAudioRecordBuilderPartialFormat" />

-      <Test result="pass" name="testAudioRecordLocalMono16Bit">

-        <Summary>

-          <Metric source="android.media.cts.AudioRecordTest#doTest:1339" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-            <Value>7.1688596491228065</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAudioRecordLocalMono16BitShort">

-        <Summary>

-          <Metric source="android.media.cts.AudioRecordTest#doTest:1339" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-            <Value>2.5416666666666665</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAudioRecordLocalNonblockingStereoFloat">

-        <Summary>

-          <Metric source="android.media.cts.AudioRecordTest#doTest:1339" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-            <Value>1.75</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAudioRecordMonoFloat">

-        <Summary>

-          <Metric source="android.media.cts.AudioRecordTest#doTest:1339" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-            <Value>12.958881578947368</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAudioRecordOP" />

-      <Test result="pass" name="testAudioRecordProperties" />

-      <Test result="pass" name="testAudioRecordResamplerMono8Bit">

-        <Summary>

-          <Metric source="android.media.cts.AudioRecordTest#doTest:1339" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-            <Value>0.0</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAudioRecordResamplerStereo8Bit">

-        <Summary>

-          <Metric source="android.media.cts.AudioRecordTest#doTest:1339" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-            <Value>3.5</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAudioRecordStereo16Bit">

-        <Summary>

-          <Metric source="android.media.cts.AudioRecordTest#doTest:1339" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-            <Value>3.5</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testGetActiveMicrophones" />

-      <Test result="pass" name="testRecordNoDataForIdleUids" />

-      <Test result="pass" name="testSynchronizedRecord" />

-      <Test result="pass" name="testTimestamp" />

-      <Test result="pass" name="testVoiceCallAudioSourcePermissions" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioRecord_BufferSizeTest">

-      <Test result="pass" name="testGetMinBufferSize" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioRecordingConfigurationTest">

-      <Test result="pass" name="testAudioManagerGetActiveRecordConfigurations" />

-      <Test result="pass" name="testCallback" />

-      <Test result="pass" name="testCallbackHandler" />

-      <Test result="pass" name="testParcel" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioTrackLatencyTest">

-      <Test result="pass" name="testGetUnderrunCount" />

-      <Test result="pass" name="testGetUnderrunCountSleep" />

-      <Test result="pass" name="testOutputLowLatency" />

-      <Test result="pass" name="testPlayPauseSmallBuffer" />

-      <Test result="pass" name="testPlaySmallBuffer" />

-      <Test result="pass" name="testSetBufferSize" />

-      <Test result="pass" name="testTrackBufferSize" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioTrackSurroundTest">

-      <Test result="pass" name="testIEC61937_Errors" />

-      <Test result="pass" name="testLoadSineSweep" />

-      <Test result="pass" name="testPcmSupport" />

-      <Test result="pass" name="testPlayAC3Bytes" />

-      <Test result="pass" name="testPlayAC3Shorts" />

-      <Test result="pass" name="testPlayIEC61937_32000" />

-      <Test result="pass" name="testPlayIEC61937_44100" />

-      <Test result="pass" name="testPlayIEC61937_48000" />

-      <Test result="pass" name="testPlaySineSweepBytes" />

-      <Test result="pass" name="testPlaySineSweepBytes48000" />

-      <Test result="pass" name="testPlaySineSweepBytesMono" />

-      <Test result="pass" name="testPlaySineSweepShorts" />

-      <Test result="pass" name="testPlaySineSweepShortsMono" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioTrackTest">

-      <Test result="pass" name="testAudioTrackBufferSize" />

-      <Test result="pass" name="testAudioTrackLargeFrameCount" />

-      <Test result="pass" name="testAudioTrackProperties" />

-      <Test result="pass" name="testBuilderAttributesPerformanceMode" />

-      <Test result="pass" name="testBuilderAttributesStream" />

-      <Test result="pass" name="testBuilderDefault" />

-      <Test result="pass" name="testBuilderFormat" />

-      <Test result="pass" name="testBuilderSession" />

-      <Test result="pass" name="testConstructorMono16MusicStatic" />

-      <Test result="pass" name="testConstructorMono16MusicStream" />

-      <Test result="pass" name="testConstructorMono8MusicStatic" />

-      <Test result="pass" name="testConstructorMono8MusicStream" />

-      <Test result="pass" name="testConstructorStereo16MusicStatic" />

-      <Test result="pass" name="testConstructorStereo16MusicStream" />

-      <Test result="pass" name="testConstructorStereo8MusicStatic" />

-      <Test result="pass" name="testConstructorStereo8MusicStream" />

-      <Test result="pass" name="testConstructorStreamType" />

-      <Test result="pass" name="testFastTimestamp">

-        <Summary>

-          <Metric source="android.media.cts.AudioTrackTest#doTestTimestamp:2198" message="average_jitter" score_type="lower_better" score_unit="ms">

-            <Value>0.1547618955373764</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testGetMinBufferSizeTooHighSR" />

-      <Test result="pass" name="testGetMinBufferSizeTooLowSR" />

-      <Test result="pass" name="testGetTimestamp">

-        <Summary>

-          <Metric source="android.media.cts.AudioTrackTest#doTestTimestamp:2198" message="average_jitter" score_type="lower_better" score_unit="ms">

-            <Value>0.1490119844675064</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testPlayChannelIndexStreamBuffer" />

-      <Test result="pass" name="testPlayStaticData" />

-      <Test result="pass" name="testPlayStaticDataShort" />

-      <Test result="pass" name="testPlayStreamByteBuffer" />

-      <Test result="pass" name="testPlayStreamData" />

-      <Test result="pass" name="testPlayStreamDataShort" />

-      <Test result="pass" name="testPlaybackHeadPositionAfterFlush" />

-      <Test result="pass" name="testPlaybackHeadPositionAfterFlushAndPlay" />

-      <Test result="pass" name="testPlaybackHeadPositionAfterInit" />

-      <Test result="pass" name="testPlaybackHeadPositionAfterPause" />

-      <Test result="pass" name="testPlaybackHeadPositionAfterStop" />

-      <Test result="pass" name="testPlaybackHeadPositionIncrease" />

-      <Test result="pass" name="testReloadStaticData" />

-      <Test result="pass" name="testSetGetPlaybackRate" />

-      <Test result="pass" name="testSetLoopPointsEndTooFar" />

-      <Test result="pass" name="testSetLoopPointsLoopTooLong" />

-      <Test result="pass" name="testSetLoopPointsStartAfterEnd" />

-      <Test result="pass" name="testSetLoopPointsStartTooFar" />

-      <Test result="pass" name="testSetLoopPointsStream" />

-      <Test result="pass" name="testSetLoopPointsSuccess" />

-      <Test result="pass" name="testSetPlaybackHeadPositionPaused" />

-      <Test result="pass" name="testSetPlaybackHeadPositionPlaying" />

-      <Test result="pass" name="testSetPlaybackHeadPositionStopped" />

-      <Test result="pass" name="testSetPlaybackHeadPositionTooFar" />

-      <Test result="pass" name="testSetPlaybackRate" />

-      <Test result="pass" name="testSetPlaybackRateTwiceOutputSR" />

-      <Test result="pass" name="testSetPlaybackRateUninit" />

-      <Test result="pass" name="testSetPlaybackRateZero" />

-      <Test result="pass" name="testSetPresentationDefaultTrack" />

-      <Test result="pass" name="testSetStereoVolumeMax" />

-      <Test result="pass" name="testSetStereoVolumeMid" />

-      <Test result="pass" name="testSetStereoVolumeMin" />

-      <Test result="pass" name="testSetVolumeMax" />

-      <Test result="pass" name="testSetVolumeMid" />

-      <Test result="pass" name="testSetVolumeMin" />

-      <Test result="pass" name="testStopDrain" />

-      <Test result="pass" name="testVariableRatePlayback" />

-      <Test result="pass" name="testVariableSpeedPlayback" />

-      <Test result="pass" name="testWriteByte" />

-      <Test result="pass" name="testWriteByte8bit" />

-      <Test result="pass" name="testWriteByteNegativeOffset" />

-      <Test result="pass" name="testWriteByteNegativeSize" />

-      <Test result="pass" name="testWriteByteOffsetTooBig" />

-      <Test result="pass" name="testWriteByteSizeTooBig" />

-      <Test result="pass" name="testWriteShort" />

-      <Test result="pass" name="testWriteShort8bit" />

-      <Test result="pass" name="testWriteShortNegativeOffset" />

-      <Test result="pass" name="testWriteShortNegativeSize" />

-      <Test result="pass" name="testWriteShortOffsetTooBig" />

-      <Test result="pass" name="testWriteShortSizeTooBig" />

-    </TestCase>

-    <TestCase name="android.media.cts.AudioTrack_ListenerTest">

-      <Test result="pass" name="testAudioTrackCallback">

-        <Summary>

-          <Metric source="android.media.cts.AudioTrack_ListenerTest#doTest:223" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-            <Value>9.347127739984884</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAudioTrackCallbackWithHandler">

-        <Summary>

-          <Metric source="android.media.cts.AudioTrack_ListenerTest#doTest:223" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-            <Value>7.776177955844914</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testStaticAudioTrackCallback">

-        <Summary>

-          <Metric source="android.media.cts.AudioTrack_ListenerTest#doTest:223" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-            <Value>7.776177955844914</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testStaticAudioTrackCallbackWithHandler">

-        <Summary>

-          <Metric source="android.media.cts.AudioTrack_ListenerTest#doTest:223" message="unified_abs_diff" score_type="lower_better" score_unit="ms">

-            <Value>9.514361300075587</Value>

-          </Metric>

-        </Summary>

-      </Test>

-    </TestCase>

-    <TestCase name="android.media.cts.BassBoostTest">

-      <Test result="pass" name="test0_0ConstructorAndRelease" />

-      <Test result="pass" name="test1_0Strength" />

-      <Test result="pass" name="test1_1Properties" />

-      <Test result="pass" name="test1_2SetStrengthAfterRelease" />

-      <Test result="pass" name="test2_0SetEnabledGetEnabled" />

-      <Test result="pass" name="test2_1SetEnabledAfterRelease" />

-      <Test result="pass" name="test3_0ControlStatusListener" />

-      <Test result="pass" name="test3_1EnableStatusListener" />

-      <Test result="pass" name="test3_2ParameterChangedListener" />

-    </TestCase>

-    <TestCase name="android.media.cts.CamcorderProfileTest">

-      <Test result="pass" name="testGet" />

-      <Test result="pass" name="testGetWithId" />

-    </TestCase>

-    <TestCase name="android.media.cts.CameraProfileTest">

-      <Test result="pass" name="testGetImageEncodingQualityParameter" />

-      <Test result="pass" name="testGetWithId" />

-    </TestCase>

-    <TestCase name="android.media.cts.DecodeAccuracyTest">

-      <Test result="pass" name="testGLViewDecodeAccuracy[0]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[10]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[11]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[12]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[13]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[14]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[15]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[16]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[17]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[18]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[19]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[1]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[20]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[21]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[22]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[23]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[24]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[25]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[26]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[27]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[28]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[29]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[2]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[30]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[31]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[32]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[33]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[34]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[35]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[36]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[37]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[38]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[39]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[3]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[40]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[41]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[42]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[43]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[44]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[45]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[46]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[47]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[48]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[49]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[4]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[50]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[51]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[52]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[53]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[54]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[55]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[56]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[57]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[58]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[59]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[5]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[60]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[61]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[62]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[63]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[64]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[65]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[6]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[7]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[8]" />

-      <Test result="pass" name="testGLViewDecodeAccuracy[9]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[0]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[10]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[11]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[12]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[13]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[14]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[15]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[16]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[17]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[18]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[19]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[1]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[20]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[21]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[22]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[23]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[24]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[25]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[26]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[27]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[28]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[29]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[2]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[30]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[31]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[32]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[33]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[34]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[35]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[36]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[37]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[38]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[39]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[3]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[40]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[41]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[42]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[43]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[44]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[45]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[46]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[47]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[48]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[49]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[4]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[50]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[51]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[52]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[53]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[54]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[55]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[56]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[57]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[58]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[59]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[5]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[60]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[61]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[62]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[63]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[64]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[65]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[6]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[7]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[8]" />

-      <Test result="pass" name="testGLViewLargerHeightDecodeAccuracy[9]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[0]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[10]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[11]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[12]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[13]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[14]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[15]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[16]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[17]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[18]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[19]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[1]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[20]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[21]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[22]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[23]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[24]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[25]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[26]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[27]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[28]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[29]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[2]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[30]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[31]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[32]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[33]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[34]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[35]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[36]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[37]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[38]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[39]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[3]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[40]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[41]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[42]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[43]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[44]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[45]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[46]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[47]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[48]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[49]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[4]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[50]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[51]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[52]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[53]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[54]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[55]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[56]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[57]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[58]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[59]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[5]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[60]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[61]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[62]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[63]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[64]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[65]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[6]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[7]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[8]" />

-      <Test result="pass" name="testGLViewLargerWidthDecodeAccuracy[9]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[0]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[10]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[11]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[12]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[13]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[14]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[15]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[16]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[17]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[18]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[19]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[1]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[20]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[21]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[22]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[23]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[24]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[25]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[26]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[27]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[28]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[29]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[2]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[30]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[31]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[32]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[33]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[34]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[35]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[36]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[37]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[38]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[39]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[3]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[40]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[41]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[42]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[43]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[44]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[45]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[46]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[47]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[48]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[49]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[4]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[50]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[51]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[52]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[53]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[54]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[55]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[56]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[57]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[58]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[59]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[5]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[60]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[61]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[62]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[63]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[64]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[65]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[6]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[7]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[8]" />

-      <Test result="pass" name="testSurfaceViewLargerHeightDecodeAccuracy[9]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[0]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[10]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[11]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[12]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[13]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[14]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[15]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[16]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[17]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[18]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[19]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[1]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[20]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[21]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[22]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[23]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[24]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[25]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[26]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[27]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[28]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[29]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[2]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[30]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[31]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[32]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[33]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[34]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[35]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[36]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[37]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[38]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[39]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[3]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[40]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[41]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[42]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[43]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[44]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[45]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[46]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[47]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[48]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[49]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[4]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[50]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[51]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[52]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[53]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[54]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[55]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[56]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[57]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[58]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[59]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[5]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[60]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[61]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[62]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[63]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[64]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[65]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[6]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[7]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[8]" />

-      <Test result="pass" name="testSurfaceViewLargerWidthDecodeAccuracy[9]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[0]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[10]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[11]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[12]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[13]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[14]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[15]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[16]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[17]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[18]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[19]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[1]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[20]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[21]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[22]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[23]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[24]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[25]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[26]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[27]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[28]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[29]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[2]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[30]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[31]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[32]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[33]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[34]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[35]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[36]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[37]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[38]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[39]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[3]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[40]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[41]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[42]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[43]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[44]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[45]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[46]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[47]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[48]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[49]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[4]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[50]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[51]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[52]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[53]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[54]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[55]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[56]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[57]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[58]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[59]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[5]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[60]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[61]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[62]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[63]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[64]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[65]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[6]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[7]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[8]" />

-      <Test result="pass" name="testSurfaceViewVideoDecodeAccuracy[9]" />

-    </TestCase>

-    <TestCase name="android.media.cts.DecodeEditEncodeTest">

-      <Test result="pass" name="testVideoEdit720p" />

-      <Test result="pass" name="testVideoEditQCIF" />

-      <Test result="pass" name="testVideoEditQVGA" />

-    </TestCase>

-    <TestCase name="android.media.cts.DecoderConformanceTest">

-      <Test result="pass" name="testVP9Goog" />

-      <Test result="pass" name="testVP9Other" />

-    </TestCase>

-    <TestCase name="android.media.cts.DecoderTest">

-      <Test result="pass" name="testBFrames" />

-      <Test result="pass" name="testBug11696552" />

-      <Test result="pass" name="testCodecBasicH263" />

-      <Test result="pass" name="testCodecBasicH264" />

-      <Test result="pass" name="testCodecBasicHEVC" />

-      <Test result="pass" name="testCodecBasicMpeg4" />

-      <Test result="pass" name="testCodecBasicVP8" />

-      <Test result="pass" name="testCodecBasicVP9" />

-      <Test result="pass" name="testCodecEarlyEOSH263" />

-      <Test result="pass" name="testCodecEarlyEOSH264" />

-      <Test result="pass" name="testCodecEarlyEOSHEVC" />

-      <Test result="pass" name="testCodecEarlyEOSMpeg4" />

-      <Test result="pass" name="testCodecEarlyEOSVP8" />

-      <Test result="pass" name="testCodecEarlyEOSVP9" />

-      <Test result="pass" name="testCodecResetsH263WithSurface" />

-      <Test result="pass" name="testCodecResetsH263WithoutSurface" />

-      <Test result="pass" name="testCodecResetsH264WithSurface" />

-      <Test result="pass" name="testCodecResetsH264WithoutSurface" />

-      <Test result="pass" name="testCodecResetsHEVCWithSurface" />

-      <Test result="pass" name="testCodecResetsHEVCWithoutSurface" />

-      <Test result="pass" name="testCodecResetsM4a" />

-      <Test result="pass" name="testCodecResetsMp3" />

-      <Test result="pass" name="testCodecResetsMpeg4WithSurface" />

-      <Test result="pass" name="testCodecResetsMpeg4WithoutSurface" />

-      <Test result="pass" name="testCodecResetsVP8WithSurface" />

-      <Test result="pass" name="testCodecResetsVP8WithoutSurface" />

-      <Test result="pass" name="testCodecResetsVP9WithSurface" />

-      <Test result="pass" name="testCodecResetsVP9WithoutSurface" />

-      <Test result="pass" name="testDecode51M4a" />

-      <Test result="pass" name="testDecodeAacEldM4a" />

-      <Test result="pass" name="testDecodeAacLcM4a" />

-      <Test result="pass" name="testDecodeAacLcMcM4a" />

-      <Test result="pass" name="testDecodeAacTs" />

-      <Test result="pass" name="testDecodeFlac" />

-      <Test result="pass" name="testDecodeFragmented" />

-      <Test result="pass" name="testDecodeHeAacM4a" />

-      <Test result="pass" name="testDecodeHeAacMcM4a" />

-      <Test result="pass" name="testDecodeHeAacV2M4a" />

-      <Test result="pass" name="testDecodeM4a" />

-      <Test result="pass" name="testDecodeMonoGsm" />

-      <Test result="pass" name="testDecodeMonoM4a" />

-      <Test result="pass" name="testDecodeMonoMp3" />

-      <Test result="pass" name="testDecodeMonoOgg" />

-      <Test result="pass" name="testDecodeMp3Lame" />

-      <Test result="pass" name="testDecodeMp3Smpb" />

-      <Test result="pass" name="testDecodeOgg" />

-      <Test result="pass" name="testDecodeOpus" />

-      <Test result="pass" name="testDecodeVorbis" />

-      <Test result="pass" name="testDecodeWav" />

-      <Test result="pass" name="testDecodeWithEOSOnLastBuffer" />

-      <Test result="pass" name="testEOSBehaviorH263" />

-      <Test result="pass" name="testEOSBehaviorH264" />

-      <Test result="pass" name="testEOSBehaviorHEVC" />

-      <Test result="pass" name="testEOSBehaviorMpeg4" />

-      <Test result="pass" name="testEOSBehaviorVP8" />

-      <Test result="pass" name="testEOSBehaviorVP9" />

-      <Test result="pass" name="testFlush" />

-      <Test result="pass" name="testH264ColorAspects">

-        <Summary>

-          <Metric source="android.media.cts.DecoderTest#testColorAspects:516" message="result" score_type="higher_better" score_unit="count">

-            <Value>1.0</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testH264Decode30fps1280x720" />

-      <Test result="pass" name="testH264Decode30fps1280x720Tv" />

-      <Test result="pass" name="testH264Decode30fps1920x1080" />

-      <Test result="pass" name="testH264Decode30fps1920x1080Tv" />

-      <Test result="pass" name="testH264Decode320x240" />

-      <Test result="pass" name="testH264Decode60fps1280x720" />

-      <Test result="pass" name="testH264Decode60fps1280x720Tv" />

-      <Test result="pass" name="testH264Decode60fps1920x1080" />

-      <Test result="pass" name="testH264Decode60fps1920x1080Tv" />

-      <Test result="pass" name="testH264Decode720x480" />

-      <Test result="pass" name="testH264SecureDecode30fps1280x720Tv" />

-      <Test result="pass" name="testH264SecureDecode30fps1920x1080Tv" />

-      <Test result="pass" name="testH264SecureDecode60fps1280x720Tv" />

-      <Test result="pass" name="testH264SecureDecode60fps1920x1080Tv" />

-      <Test result="pass" name="testH265ColorAspects">

-        <Summary>

-          <Metric source="android.media.cts.DecoderTest#testColorAspects:516" message="result" score_type="higher_better" score_unit="count">

-            <Value>1.0</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testH265HDR10StaticMetadata" />

-      <Test result="pass" name="testHEVCDecode30fps1280x720" />

-      <Test result="pass" name="testHEVCDecode30fps1280x720Tv" />

-      <Test result="pass" name="testHEVCDecode30fps1920x1080Tv" />

-      <Test result="pass" name="testHEVCDecode30fps3840x2160" />

-      <Test result="pass" name="testHEVCDecode352x288" />

-      <Test result="pass" name="testHEVCDecode60fps1920x1080" />

-      <Test result="pass" name="testHEVCDecode60fps3840x2160" />

-      <Test result="pass" name="testHEVCDecode720x480" />

-      <Test result="pass" name="testMPEG2ColorAspectsTV" />

-      <Test result="pass" name="testTrackSelection" />

-      <Test result="pass" name="testTunneledVideoFlush" />

-      <Test result="pass" name="testTunneledVideoPlayback" />

-      <Test result="pass" name="testVP8Decode30fps1280x720" />

-      <Test result="pass" name="testVP8Decode30fps1280x720Tv" />

-      <Test result="pass" name="testVP8Decode30fps1920x1080" />

-      <Test result="pass" name="testVP8Decode30fps1920x1080Tv" />

-      <Test result="pass" name="testVP8Decode320x180" />

-      <Test result="pass" name="testVP8Decode60fps1280x720" />

-      <Test result="pass" name="testVP8Decode60fps1280x720Tv" />

-      <Test result="pass" name="testVP8Decode60fps1920x1080" />

-      <Test result="pass" name="testVP8Decode60fps1920x1080Tv" />

-      <Test result="pass" name="testVP8Decode640x360" />

-      <Test result="pass" name="testVP9Decode30fps1280x720" />

-      <Test result="pass" name="testVP9Decode30fps1280x720Tv" />

-      <Test result="pass" name="testVP9Decode30fps3840x2160" />

-      <Test result="pass" name="testVP9Decode320x180" />

-      <Test result="pass" name="testVP9Decode60fps1920x1080" />

-      <Test result="pass" name="testVP9Decode60fps3840x2160" />

-      <Test result="pass" name="testVP9Decode640x360" />

-      <Test result="pass" name="testVp9HdrStaticMetadata" />

-      <Test result="pass" name="testVrHighPerformanceH264" />

-      <Test result="pass" name="testVrHighPerformanceHEVC" />

-      <Test result="pass" name="testVrHighPerformanceVP9" />

-    </TestCase>

-    <TestCase name="android.media.cts.DecoderTestAacDrc">

-      <Test result="pass" name="testDecodeAacDrcClipM4a" />

-      <Test result="pass" name="testDecodeAacDrcFullM4a" />

-      <Test result="pass" name="testDecodeAacDrcHalfM4a" />

-      <Test result="pass" name="testDecodeAacDrcHeavyM4a" />

-      <Test result="pass" name="testDecodeAacDrcLevelM4a" />

-      <Test result="pass" name="testDecodeAacDrcOffM4a" />

-      <Test result="pass" name="testDecodeUsacLoudnessM4a" />

-    </TestCase>

-    <TestCase name="android.media.cts.DecoderTestXheAac">

-      <Test result="pass" name="testDecodeUsacDrcEffectTypeM4a" />

-      <Test result="pass" name="testDecodeUsacSamplingRatesM4a" />

-      <Test result="pass" name="testDecodeUsacStreamSwitchingM4a" />

-    </TestCase>

-    <TestCase name="android.media.cts.DynamicsProcessingTest">

-      <Test result="pass" name="test0_0ConstructorAndRelease" />

-      <Test result="pass" name="test0_1ConstructorWithConfigAndRelease" />

-      <Test result="pass" name="test1_0ParametersEngine" />

-      <Test result="pass" name="test1_1ParametersChannel" />

-      <Test result="pass" name="test1_2ParametersPreEq" />

-      <Test result="pass" name="test1_3ParametersMbc" />

-      <Test result="pass" name="test1_4ParametersPostEq" />

-      <Test result="pass" name="test1_5ParametersLimiter" />

-      <Test result="pass" name="test1_6Channel_perStage" />

-      <Test result="pass" name="test1_7Channel_perBand" />

-      <Test result="pass" name="test1_8Channel_setAllChannelsTo" />

-      <Test result="pass" name="test1_9Channel_setChannelTo" />

-      <Test result="pass" name="test2_0ConfigBasic" />

-      <Test result="pass" name="test2_10Stage" />

-      <Test result="pass" name="test2_11BandBase" />

-      <Test result="pass" name="test2_12Channel" />

-      <Test result="pass" name="test2_1ConfigChannel" />

-      <Test result="pass" name="test2_2ConfigChannel_perStage" />

-      <Test result="pass" name="test2_3ConfigChannel_perBand" />

-      <Test result="pass" name="test2_4Channel_perStage" />

-      <Test result="pass" name="test2_5Channel_perBand" />

-      <Test result="pass" name="test2_6Eq" />

-      <Test result="pass" name="test2_7Mbc" />

-      <Test result="pass" name="test2_8Limiter" />

-      <Test result="pass" name="test2_9BandStage" />

-      <Test result="pass" name="test3_0Builder_stagesAllChannels" />

-      <Test result="pass" name="test3_1Builder_stagesByChannelIndex" />

-      <Test result="pass" name="test3_2Builder_setAllChannelsTo" />

-      <Test result="pass" name="test3_3Builder_setChannelTo" />

-    </TestCase>

-    <TestCase name="android.media.cts.EncodeDecodeTest">

-      <Test result="pass" name="testEncodeDecodeVideoFromBufferToBuffer720p" />

-      <Test result="pass" name="testEncodeDecodeVideoFromBufferToBufferQCIF" />

-      <Test result="pass" name="testEncodeDecodeVideoFromBufferToBufferQVGA" />

-      <Test result="pass" name="testEncodeDecodeVideoFromBufferToSurface720p" />

-      <Test result="pass" name="testEncodeDecodeVideoFromBufferToSurfaceQCIF" />

-      <Test result="pass" name="testEncodeDecodeVideoFromBufferToSurfaceQVGA" />

-      <Test result="pass" name="testEncodeDecodeVideoFromPersistentSurfaceToSurface720p" />

-      <Test result="pass" name="testEncodeDecodeVideoFromPersistentSurfaceToSurface720pNdk" />

-      <Test result="pass" name="testEncodeDecodeVideoFromPersistentSurfaceToSurfaceQCIF" />

-      <Test result="pass" name="testEncodeDecodeVideoFromPersistentSurfaceToSurfaceQVGA" />

-      <Test result="pass" name="testEncodeDecodeVideoFromSurfaceToSurface720p" />

-      <Test result="pass" name="testEncodeDecodeVideoFromSurfaceToSurface720pNdk" />

-      <Test result="pass" name="testEncodeDecodeVideoFromSurfaceToSurfaceQCIF" />

-      <Test result="pass" name="testEncodeDecodeVideoFromSurfaceToSurfaceQVGA" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromBufferToBuffer720p" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromBufferToBufferQCIF" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromBufferToBufferQVGA" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromBufferToSurface720p" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromBufferToSurfaceQCIF" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromBufferToSurfaceQVGA" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromPersistentSurfaceToSurface720p" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromPersistentSurfaceToSurface720pNdk" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromPersistentSurfaceToSurfaceQCIF" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromPersistentSurfaceToSurfaceQVGA" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromSurfaceToSurface720p" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromSurfaceToSurface720pNdk" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromSurfaceToSurfaceQCIF" />

-      <Test result="pass" name="testVP8EncodeDecodeVideoFromSurfaceToSurfaceQVGA" />

-    </TestCase>

-    <TestCase name="android.media.cts.EncodeVirtualDisplayTest">

-      <Test result="pass" name="testEncodeVirtualDisplay" />

-    </TestCase>

-    <TestCase name="android.media.cts.EncodeVirtualDisplayWithCompositionTest">

-      <Test result="pass" name="testRendering800x480Locally" />

-      <Test result="pass" name="testRendering800x480LocallyWith3Windows" />

-      <Test result="pass" name="testRendering800x480Remotely" />

-      <Test result="pass" name="testRendering800x480RemotelyWith3Windows" />

-      <Test result="pass" name="testRendering800x480Rotated180" />

-      <Test result="pass" name="testRendering800x480Rotated270" />

-      <Test result="pass" name="testRendering800x480Rotated360" />

-      <Test result="pass" name="testRendering800x480Rotated90" />

-      <Test result="pass" name="testRenderingMaxResolutionLocally" />

-      <Test result="pass" name="testRenderingMaxResolutionRemotely" />

-      <Test result="pass" name="testVirtualDisplayRecycles" />

-    </TestCase>

-    <TestCase name="android.media.cts.EncoderTest">

-      <Test result="pass" name="testAACEncoders" />

-      <Test result="pass" name="testAMRNBEncoders" />

-      <Test result="pass" name="testAMRWBEncoders" />

-    </TestCase>

-    <TestCase name="android.media.cts.EnumDevicesTest">

-      <Test result="pass" name="test_deviceCallback" />

-      <Test result="pass" name="test_devicesInfoFields" />

-      <Test result="pass" name="test_getDevices" />

-    </TestCase>

-    <TestCase name="android.media.cts.EnvReverbTest">

-      <Test result="pass" name="test0_0ConstructorAndRelease" />

-      <Test result="pass" name="test1_0Room" />

-      <Test result="pass" name="test1_1Decay" />

-      <Test result="pass" name="test1_2Reverb" />

-      <Test result="pass" name="test1_3Reflections" />

-      <Test result="pass" name="test1_4DiffusionAndDensity" />

-      <Test result="pass" name="test1_5Properties" />

-      <Test result="pass" name="test2_0SetEnabledGetEnabled" />

-      <Test result="pass" name="test2_1SetEnabledAfterRelease" />

-      <Test result="pass" name="test3_0ControlStatusListener" />

-      <Test result="pass" name="test3_1EnableStatusListener" />

-      <Test result="pass" name="test3_2ParameterChangedListener" />

-    </TestCase>

-    <TestCase name="android.media.cts.EqualizerTest">

-      <Test result="pass" name="test0_0ConstructorAndRelease" />

-      <Test result="pass" name="test1_0BandLevel" />

-      <Test result="pass" name="test1_1BandFrequency" />

-      <Test result="pass" name="test1_2Presets" />

-      <Test result="pass" name="test1_3Properties" />

-      <Test result="pass" name="test1_4SetBandLevelAfterRelease" />

-      <Test result="pass" name="test2_0SetEnabledGetEnabled" />

-      <Test result="pass" name="test2_1SetEnabledAfterRelease" />

-      <Test result="pass" name="test3_0ControlStatusListener" />

-      <Test result="pass" name="test3_1EnableStatusListener" />

-      <Test result="pass" name="test3_2ParameterChangedListener" />

-    </TestCase>

-    <TestCase name="android.media.cts.ExifInterfaceTest">

-      <Test result="pass" name="testDoNotFailOnCorruptedImage" />

-      <Test result="pass" name="testReadExifDataFromCanonG7XCr2" />

-      <Test result="pass" name="testReadExifDataFromExifByteOrderIIJpeg" />

-      <Test result="pass" name="testReadExifDataFromExifByteOrderMMJpeg" />

-      <Test result="pass" name="testReadExifDataFromFujiX20Raf" />

-      <Test result="pass" name="testReadExifDataFromLgG4Iso800Dng" />

-      <Test result="pass" name="testReadExifDataFromNikon1AW1Nef" />

-      <Test result="pass" name="testReadExifDataFromNikonP330Nrw" />

-      <Test result="pass" name="testReadExifDataFromOlympusEPL3Orf" />

-      <Test result="pass" name="testReadExifDataFromPanasonicGM5Rw2" />

-      <Test result="pass" name="testReadExifDataFromPentaxK5Pef" />

-      <Test result="pass" name="testReadExifDataFromSamsungNX3000Srw" />

-      <Test result="pass" name="testReadExifDataFromSonyRX100Arw" />

-      <Test result="pass" name="testReadExifDataFromVolantisJpg" />

-      <Test result="pass" name="testSetDateTime" />

-    </TestCase>

-    <TestCase name="android.media.cts.ExtractDecodeEditEncodeMuxTest">

-      <Test result="pass" name="testExtractDecodeEditEncodeMux2160pHevc" />

-      <Test result="pass" name="testExtractDecodeEditEncodeMux720p" />

-      <Test result="pass" name="testExtractDecodeEditEncodeMuxAudio" />

-      <Test result="pass" name="testExtractDecodeEditEncodeMuxAudioVideo" />

-      <Test result="pass" name="testExtractDecodeEditEncodeMuxQCIF" />

-      <Test result="pass" name="testExtractDecodeEditEncodeMuxQVGA" />

-    </TestCase>

-    <TestCase name="android.media.cts.FaceDetectorTest">

-      <Test result="pass" name="testFindFaces" />

-    </TestCase>

-    <TestCase name="android.media.cts.FaceDetector_FaceTest">

-      <Test result="pass" name="testFaceProperties" />

-    </TestCase>

-    <TestCase name="android.media.cts.HeifWriterTest">

-      <Test result="pass" name="testInputBitmap_Grid_Handler" />

-      <Test result="pass" name="testInputBitmap_Grid_NoHandler" />

-      <Test result="pass" name="testInputBitmap_NoGrid_Handler" />

-      <Test result="pass" name="testInputBitmap_NoGrid_NoHandler" />

-      <Test result="pass" name="testInputBuffer_Grid_Handler" />

-      <Test result="pass" name="testInputBuffer_Grid_NoHandler" />

-      <Test result="pass" name="testInputBuffer_NoGrid_Handler" />

-      <Test result="pass" name="testInputBuffer_NoGrid_NoHandler" />

-      <Test result="pass" name="testInputSurface_Grid_Handler" />

-      <Test result="pass" name="testInputSurface_Grid_NoHandler" />

-      <Test result="pass" name="testInputSurface_NoGrid_Handler" />

-      <Test result="pass" name="testInputSurface_NoGrid_NoHandler" />

-    </TestCase>

-    <TestCase name="android.media.cts.ImageReaderDecoderTest">

-      <Test result="pass" name="testGoogH263Image" />

-      <Test result="pass" name="testGoogH263ImageReader" />

-      <Test result="pass" name="testGoogH264Image" />

-      <Test result="pass" name="testGoogH264ImageReader" />

-      <Test result="pass" name="testGoogH265Image" />

-      <Test result="pass" name="testGoogH265ImageReader" />

-      <Test result="pass" name="testGoogMpeg4Image" />

-      <Test result="pass" name="testGoogMpeg4ImageReader" />

-      <Test result="pass" name="testGoogVP8Image" />

-      <Test result="pass" name="testGoogVP8ImageReader" />

-      <Test result="pass" name="testGoogVP9Image" />

-      <Test result="pass" name="testGoogVP9ImageReader" />

-      <Test result="pass" name="testHwAVCDecode360pForFlexibleYuv" />

-      <Test result="pass" name="testOtherH263Image" />

-      <Test result="pass" name="testOtherH263ImageReader" />

-      <Test result="pass" name="testOtherH264Image" />

-      <Test result="pass" name="testOtherH264ImageReader" />

-      <Test result="pass" name="testOtherH265Image" />

-      <Test result="pass" name="testOtherH265ImageReader" />

-      <Test result="pass" name="testOtherMpeg4Image" />

-      <Test result="pass" name="testOtherMpeg4ImageReader" />

-      <Test result="pass" name="testOtherVP8Image" />

-      <Test result="pass" name="testOtherVP8ImageReader" />

-      <Test result="pass" name="testOtherVP9Image" />

-      <Test result="pass" name="testOtherVP9ImageReader" />

-      <Test result="pass" name="testSwAVCDecode360pForFlexibleYuv" />

-    </TestCase>

-    <TestCase name="android.media.cts.JetPlayerTest">

-      <Test result="pass" name="testClone" />

-      <Test result="pass" name="testLoadJetFromFd" />

-      <Test result="pass" name="testLoadJetFromPath" />

-      <Test result="pass" name="testQueueJetSegmentMuteArray" />

-    </TestCase>

-    <TestCase name="android.media.cts.LoudnessEnhancerTest">

-      <Test result="pass" name="test0_0ConstructorAndRelease" />

-      <Test result="pass" name="test1_0TargetGain" />

-      <Test result="pass" name="test2_0SetEnabledGetEnabled" />

-      <Test result="pass" name="test2_1SetEnabledAfterRelease" />

-      <Test result="pass" name="test3_0MeasureGainChange" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaBrowserServiceTest">

-      <Test result="pass" name="testBrowserRoot" />

-      <Test result="pass" name="testDelayedItem" />

-      <Test result="pass" name="testDelayedNotifyChildrenChanged" />

-      <Test result="pass" name="testGetBrowserInfo" />

-      <Test result="pass" name="testGetSessionToken" />

-      <Test result="pass" name="testNotifyChildrenChanged" />

-      <Test result="pass" name="testNotifyChildrenChangedWithPagination" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaBrowserTest">

-      <Test result="pass" name="testConnectTwice" />

-      <Test result="pass" name="testConnectionCallbackNotCalledAfterDisconnect" />

-      <Test result="pass" name="testConnectionFailed" />

-      <Test result="pass" name="testGetItem" />

-      <Test result="pass" name="testGetItemFailure" />

-      <Test result="pass" name="testGetServiceComponentBeforeConnection" />

-      <Test result="pass" name="testItemCallbackNotCalledAfterDisconnect" />

-      <Test result="pass" name="testMediaBrowser" />

-      <Test result="pass" name="testReconnection" />

-      <Test result="pass" name="testSubscribe" />

-      <Test result="pass" name="testSubscribeInvalidItem" />

-      <Test result="pass" name="testSubscribeInvalidItemWithOptions" />

-      <Test result="pass" name="testSubscribeWithOptions" />

-      <Test result="pass" name="testSubscriptionCallbackNotCalledAfterDisconnect" />

-      <Test result="pass" name="testUnsubscribeForMultipleSubscriptions" />

-      <Test result="pass" name="testUnsubscribeWithSubscriptionCallbackForMultipleSubscriptions" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaCasTest">

-      <Test result="pass" name="testClearKeyApis" />

-      <Test result="pass" name="testClearKeyExceptions" />

-      <Test result="pass" name="testClearKeyPluginInstalled" />

-      <Test result="pass" name="testClearKeySessionClosedAfterRelease" />

-      <Test result="pass" name="testEnumeratePlugins" />

-      <Test result="pass" name="testInvalidSystemIdFails" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaCodecCapabilitiesTest">

-      <Test result="pass" name="testAllAdvertisedVideoEncoderBitrateModes" />

-      <Test result="pass" name="testAllNonTunneledVideoCodecsSupportFlexibleYUV" />

-      <Test result="pass" name="testAllVideoDecodersAreAdaptive" />

-      <Test result="pass" name="testAvcBaseline1" />

-      <Test result="pass" name="testAvcBaseline12" />

-      <Test result="pass" name="testAvcBaseline30" />

-      <Test result="pass" name="testAvcHigh31" />

-      <Test result="pass" name="testAvcHigh40" />

-      <Test result="pass" name="testGetMaxSupportedInstances" />

-      <Test result="pass" name="testH263DecoderProfileAndLevel" />

-      <Test result="pass" name="testH263EncoderProfileAndLevel" />

-      <Test result="pass" name="testH264DecoderProfileAndLevel" />

-      <Test result="pass" name="testH264EncoderProfileAndLevel" />

-      <Test result="pass" name="testH265DecoderProfileAndLevel" />

-      <Test result="pass" name="testHaveAdaptiveVideoDecoderForAllSupportedFormats" />

-      <Test result="pass" name="testHevcMain1" />

-      <Test result="pass" name="testHevcMain2" />

-      <Test result="pass" name="testHevcMain21" />

-      <Test result="pass" name="testHevcMain3" />

-      <Test result="pass" name="testHevcMain31" />

-      <Test result="pass" name="testHevcMain4" />

-      <Test result="pass" name="testHevcMain41" />

-      <Test result="pass" name="testHevcMain5" />

-      <Test result="pass" name="testHevcMain51" />

-      <Test result="pass" name="testMpeg4DecoderProfileAndLevel" />

-      <Test result="pass" name="testSecureCodecsAdvertiseSecurePlayback" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaCodecListTest">

-      <Test result="pass" name="testAllComponentInstantiation" />

-      <Test result="pass" name="testAudioCodecChannels" />

-      <Test result="pass" name="testFindDecoderWithAacProfile" />

-      <Test result="pass" name="testFindEncoderWithAacProfile" />

-      <Test result="pass" name="testGetAllCapabilities" />

-      <Test result="pass" name="testGetLegacyCapabilities" />

-      <Test result="pass" name="testGetRegularCapabilities" />

-      <Test result="pass" name="testLegacyComponentInstantiation" />

-      <Test result="pass" name="testLegacyMediaCodecListIsSameAsRegular" />

-      <Test result="pass" name="testMediaCodecXmlFileExist" />

-      <Test result="pass" name="testRegularComponentInstantiation" />

-      <Test result="pass" name="testRegularMediaCodecListIsASubsetOfAll" />

-      <Test result="pass" name="testRequiredMediaCodecList" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaCodecTest">

-      <Test result="pass" name="testAbruptStop" />

-      <Test result="pass" name="testAsyncFlushAndReset" />

-      <Test result="pass" name="testAsyncStopAndReset" />

-      <Test result="pass" name="testConcurrentAudioVideoEncodings" />

-      <Test result="pass" name="testCreateAudioDecoderAndEncoder" />

-      <Test result="pass" name="testCreateInputSurfaceErrors" />

-      <Test result="pass" name="testCreateTwoAudioDecoders" />

-      <Test result="pass" name="testCryptoError" />

-      <Test result="pass" name="testCryptoInfoPattern" />

-      <Test result="pass" name="testDecodeAfterFlush" />

-      <Test result="pass" name="testDecodeShortInput" />

-      <Test result="pass" name="testDequeueSurface" />

-      <Test result="pass" name="testException" />

-      <Test result="pass" name="testFlacIdentity" />

-      <Test result="pass" name="testReconfigureWithoutSurface" />

-      <Test result="pass" name="testReleaseAfterFlush" />

-      <Test result="pass" name="testSignalSurfaceEOS" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaControllerTest">

-      <Test result="pass" name="testAdjustVolumeWithIllegalDirection" />

-      <Test result="pass" name="testGetPackageName" />

-      <Test result="pass" name="testGetRatingType" />

-      <Test result="pass" name="testGetSessionToken" />

-      <Test result="pass" name="testSendCommand" />

-      <Test result="pass" name="testTransportControlsAndMediaSessionCallback" />

-      <Test result="pass" name="testVolumeControl" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaDrmClearkeyTest">

-      <Test result="pass" name="testClearKeyPlaybackCenc" />

-      <Test result="pass" name="testClearKeyPlaybackCenc2" />

-      <Test result="pass" name="testClearKeyPlaybackMpeg2ts" />

-      <Test result="pass" name="testClearKeyPlaybackWebm" />

-      <Test result="pass" name="testGetNumberOfSessions" />

-      <Test result="pass" name="testGetProperties" />

-      <Test result="pass" name="testHdcpLevels" />

-      <Test result="pass" name="testPlaybackMpeg2ts" />

-      <Test result="pass" name="testQueryKeyStatus" />

-      <Test result="pass" name="testSecureStop" />

-      <Test result="pass" name="testSecurityLevels" />

-      <Test result="pass" name="testSetProperties" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaDrmMetricsTest">

-      <Test result="pass" name="testGetMetricsEmpty" />

-      <Test result="pass" name="testGetMetricsGetKeyRequest" />

-      <Test result="pass" name="testGetMetricsSession" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaDrmMockTest">

-      <Test result="pass" name="testBadCryptoSession" />

-      <Test result="pass" name="testBadSession" />

-      <Test result="pass" name="testByteArrayProperties" />

-      <Test result="pass" name="testCryptoSession" />

-      <Test result="pass" name="testCryptoSessionDecrypt" />

-      <Test result="pass" name="testCryptoSessionEncrypt" />

-      <Test result="pass" name="testCryptoSessionSign" />

-      <Test result="pass" name="testCryptoSessionVerify" />

-      <Test result="pass" name="testEventNoSessionNoData" />

-      <Test result="pass" name="testEventWithSessionAndData" />

-      <Test result="pass" name="testExpirationUpdate" />

-      <Test result="pass" name="testGetKeyRequest" />

-      <Test result="pass" name="testGetKeyRequestNoOptionalParameters" />

-      <Test result="pass" name="testGetKeyRequestOffline" />

-      <Test result="pass" name="testGetKeyRequestRelease" />

-      <Test result="pass" name="testGetProvisionRequest" />

-      <Test result="pass" name="testGetSecureStops" />

-      <Test result="pass" name="testIsCryptoSchemeNotSupported" />

-      <Test result="pass" name="testIsMimeTypeNotSupported" />

-      <Test result="pass" name="testIsMimeTypeSupported" />

-      <Test result="pass" name="testKeyStatusChange" />

-      <Test result="pass" name="testMediaDrmConstructor" />

-      <Test result="pass" name="testMediaDrmConstructorFails" />

-      <Test result="pass" name="testMissingPropertyByteArray" />

-      <Test result="pass" name="testMissingPropertyString" />

-      <Test result="pass" name="testMultipleSessions" />

-      <Test result="pass" name="testNullPropertyByteArray" />

-      <Test result="pass" name="testNullPropertyString" />

-      <Test result="pass" name="testNullSession" />

-      <Test result="pass" name="testOpenCloseSession" />

-      <Test result="pass" name="testProvideKeyResponse" />

-      <Test result="pass" name="testProvideProvisionResponse" />

-      <Test result="pass" name="testQueryKeyStatus" />

-      <Test result="pass" name="testReleaseSecureStops" />

-      <Test result="pass" name="testRemoveKeys" />

-      <Test result="pass" name="testRestoreKeys" />

-      <Test result="pass" name="testStringProperties" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaExtractorTest">

-      <Test result="pass" name="testExtractFromAMediaDataSource" />

-      <Test result="pass" name="testExtractorFailsIfMediaDataSourceReturnsAnError" />

-      <Test result="pass" name="testExtractorFailsIfMediaDataSourceThrows" />

-      <Test result="pass" name="testGetAudioPresentations" />

-      <Test result="pass" name="testMediaDataSourceIsClosedOnRelease" />

-      <Test result="pass" name="testNullMediaDataSourceIsRejected" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaItemTest">

-      <Test result="pass" name="testBrowsableMediaItem" />

-      <Test result="pass" name="testPlayableMediaItem" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaMetadataRetrieverTest">

-      <Test result="pass" name="test3gppMetadata" />

-      <Test result="pass" name="testGetFrameAtIndex" />

-      <Test result="pass" name="testGetFrameAtTimeClosest" />

-      <Test result="pass" name="testGetFrameAtTimeClosestSync" />

-      <Test result="pass" name="testGetFrameAtTimeNextSync" />

-      <Test result="pass" name="testGetFrameAtTimePreviousSync" />

-      <Test result="pass" name="testGetFramesAtIndex" />

-      <Test result="pass" name="testGetImageAtIndex" />

-      <Test result="pass" name="testGetScaledFrameAtTime" />

-      <Test result="pass" name="testID3v2Metadata" />

-      <Test result="pass" name="testLargeAlbumArt" />

-      <Test result="pass" name="testMediaDataSourceIsClosedOnRelease" />

-      <Test result="pass" name="testNullMediaDataSourceIsRejected" />

-      <Test result="pass" name="testRetrieveFailsIfMediaDataSourceReturnsAnError" />

-      <Test result="pass" name="testRetrieveFailsIfMediaDataSourceThrows" />

-      <Test result="pass" name="testSetDataSourceNullPath" />

-      <Test result="pass" name="testThumbnailH263" />

-      <Test result="pass" name="testThumbnailH264" />

-      <Test result="pass" name="testThumbnailHEVC" />

-      <Test result="pass" name="testThumbnailMPEG4" />

-      <Test result="pass" name="testThumbnailVP8" />

-      <Test result="pass" name="testThumbnailVP9" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaMuxerTest">

-      <Test result="pass" name="testAudioOnly" />

-      <Test result="pass" name="testDualAudioTrack" />

-      <Test result="pass" name="testDualVideoAndAudioTrack" />

-      <Test result="pass" name="testDualVideoTrack" />

-      <Test result="pass" name="testIllegalStateExceptions" />

-      <Test result="pass" name="testThreegppOutput" />

-      <Test result="pass" name="testVideoAudio" />

-      <Test result="pass" name="testVideoAudioMedatadata" />

-      <Test result="pass" name="testVideoOnly" />

-      <Test result="pass" name="testWebmOutput" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaPlayer2DrmTest">

-      <Test result="pass" name="testCAR_CLEARKEY_AUDIO_DOWNLOADED_V0_SYNC" />

-      <Test result="pass" name="testCAR_CLEARKEY_AUDIO_DOWNLOADED_V1_ASYNC" />

-      <Test result="pass" name="testCAR_CLEARKEY_AUDIO_DOWNLOADED_V2_SYNC_CONFIG" />

-      <Test result="pass" name="testCAR_CLEARKEY_AUDIO_DOWNLOADED_V3_ASYNC_DRMPREPARED" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaPlayer2Test">

-      <Test result="pass" name="testCallback" />

-      <Test result="pass" name="testChangeSubtitleTrack" />

-      <Test result="pass" name="testConcurentPlayAudio" />

-      <Test result="pass" name="testDeselectTrackForSubtitleTracks" />

-      <Test result="pass" name="testGetTimestamp" />

-      <Test result="pass" name="testGetTrackInfoForVideoWithSubtitleTracks" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Mono_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Mono_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_128kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_128kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Mono_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Mono_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_128kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_128kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Mono_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Mono_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_128kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_128kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Mono_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Mono_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_128kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_128kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_MKV_H265_1280x720_500kbps_25fps_AAC_Stereo_128kbps_44100Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1000kbps_25fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1000kbps_30fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1350kbps_25fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_128kbps_44110Hz_frag" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_192kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_500kbps_25fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_500kbps_30fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testMedia2DataSourceIsClosedOnReset" />

-      <Test result="pass" name="testNullMedia2DataSourceIsRejected" />

-      <Test result="pass" name="testPlayAudio" />

-      <Test result="pass" name="testPlayAudioFromDataURI" />

-      <Test result="pass" name="testPlayAudioLooping" />

-      <Test result="pass" name="testPlayAudioTwice" />

-      <Test result="pass" name="testPlayMidi" />

-      <Test result="pass" name="testPlayNullSourcePath" />

-      <Test result="pass" name="testPlayVideo" />

-      <Test result="pass" name="testPlaybackFailsIfMedia2DataSourceReturnsAnError" />

-      <Test result="pass" name="testPlaybackFailsIfMedia2DataSourceThrows" />

-      <Test result="pass" name="testPlaybackFromAMedia2DataSource" />

-      <Test result="pass" name="testPlaybackRate" />

-      <Test result="pass" name="testPlaylist" />

-      <Test result="pass" name="testPositionAtEnd" />

-      <Test result="pass" name="testRecordAndPlay" />

-      <Test result="pass" name="testRecordedVideoPlayback0" />

-      <Test result="pass" name="testRecordedVideoPlayback180" />

-      <Test result="pass" name="testRecordedVideoPlayback270" />

-      <Test result="pass" name="testRecordedVideoPlayback90" />

-      <Test result="pass" name="testResumeAtEnd" />

-      <Test result="pass" name="testSeekModes" />

-      <Test result="pass" name="testVideoSurfaceResetting" />

-      <Test result="pass" name="testVorbisCrash" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaPlayerDrmTest">

-      <Test result="pass" name="testCAR_CLEARKEY_AUDIO_DOWNLOADED_V0_SYNC" />

-      <Test result="pass" name="testCAR_CLEARKEY_AUDIO_DOWNLOADED_V1_ASYNC" />

-      <Test result="pass" name="testCAR_CLEARKEY_AUDIO_DOWNLOADED_V2_SYNC_CONFIG" />

-      <Test result="pass" name="testCAR_CLEARKEY_AUDIO_DOWNLOADED_V3_ASYNC_DRMPREPARED" />

-      <Test result="pass" name="testCAR_CLEARKEY_AUDIO_DOWNLOADED_V5_ASYNC_WITH_HANDLER" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaPlayerFlakyNetworkTest">

-      <Test result="pass" name="test_S0P0" />

-      <Test result="pass" name="test_S1P000005" />

-      <Test result="pass" name="test_S2P00001" />

-      <Test result="pass" name="test_S3P00001" />

-      <Test result="pass" name="test_S4P00001" />

-      <Test result="pass" name="test_S5P00001" />

-      <Test result="pass" name="test_S6P00002" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaPlayerSurfaceTest">

-      <Test result="pass" name="testSetSurface" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaPlayerTest">

-      <Test result="pass" name="testCallback" />

-      <Test result="pass" name="testChangeSubtitleTrack" />

-      <Test result="pass" name="testChangeTimedTextTrack" />

-      <Test result="pass" name="testChangeTimedTextTrackFast" />

-      <Test result="pass" name="testConcurentPlayAudio" />

-      <Test result="pass" name="testDeselectTrackForSubtitleTracks" />

-      <Test result="pass" name="testDeselectTrackForTimedTextTrack" />

-      <Test result="pass" name="testFlacHeapOverflow" />

-      <Test result="pass" name="testGapless1" />

-      <Test result="pass" name="testGapless2" />

-      <Test result="pass" name="testGapless3" />

-      <Test result="pass" name="testGetTimestamp" />

-      <Test result="pass" name="testGetTrackInfoForVideoWithSubtitleTracks" />

-      <Test result="pass" name="testGetTrackInfoForVideoWithTimedText" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Mono_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Mono_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_128kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_128kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_12fps_AAC_Stereo_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Mono_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Mono_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_128kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_128kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_300kbps_25fps_AAC_Stereo_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Mono_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Mono_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_128kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_128kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_12fps_AAC_Stereo_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Mono_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Mono_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_128kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_128kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_24kbps_11025Hz" />

-      <Test result="pass" name="testLocalVideo_3gp_H263_176x144_56kbps_25fps_AAC_Stereo_24kbps_22050Hz" />

-      <Test result="pass" name="testLocalVideo_MKV_H265_1280x720_500kbps_25fps_AAC_Stereo_128kbps_44100Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1000kbps_25fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1000kbps_30fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1350kbps_25fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_128kbps_44110Hz_frag" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_1350kbps_30fps_AAC_Stereo_192kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_500kbps_25fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testLocalVideo_MP4_H264_480x360_500kbps_30fps_AAC_Stereo_128kbps_44110Hz" />

-      <Test result="pass" name="testMediaDataSourceIsClosedOnReset" />

-      <Test result="pass" name="testMediaTimeDiscontinuity" />

-      <Test result="pass" name="testNullMediaDataSourceIsRejected" />

-      <Test result="pass" name="testOnSubtitleDataListener" />

-      <Test result="pass" name="testPlayAudio" />

-      <Test result="pass" name="testPlayAudioFromDataURI" />

-      <Test result="pass" name="testPlayAudioLooping" />

-      <Test result="pass" name="testPlayAudioTwice" />

-      <Test result="pass" name="testPlayMidi" />

-      <Test result="pass" name="testPlayNullSourcePath" />

-      <Test result="pass" name="testPlayVideo" />

-      <Test result="pass" name="testPlaybackFailsIfMediaDataSourceReturnsAnError" />

-      <Test result="pass" name="testPlaybackFailsIfMediaDataSourceThrows" />

-      <Test result="pass" name="testPlaybackFromAMediaDataSource" />

-      <Test result="pass" name="testPlaybackRate" />

-      <Test result="pass" name="testPositionAtEnd" />

-      <Test result="pass" name="testRecordAndPlay" />

-      <Test result="pass" name="testRecordedVideoPlayback0" />

-      <Test result="pass" name="testRecordedVideoPlayback180" />

-      <Test result="pass" name="testRecordedVideoPlayback270" />

-      <Test result="pass" name="testRecordedVideoPlayback90" />

-      <Test result="pass" name="testResumeAtEnd" />

-      <Test result="pass" name="testSeekModes" />

-      <Test result="pass" name="testSeekWithTimedText" />

-      <Test result="pass" name="testSetNextMediaPlayer" />

-      <Test result="pass" name="testSetNextMediaPlayerWithRelease" />

-      <Test result="pass" name="testSetNextMediaPlayerWithReset" />

-      <Test result="pass" name="testSetPlaybackParamsPositiveSpeed" />

-      <Test result="pass" name="testSetPlaybackParamsZeroSpeed" />

-      <Test result="pass" name="testVideoSurfaceResetting" />

-      <Test result="pass" name="testVorbisCrash" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaRandomTest">

-      <Test result="pass" name="testPlayerRandomActionH264" />

-      <Test result="pass" name="testPlayerRandomActionHEVC" />

-      <Test result="pass" name="testRecorderRandomAction" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaRecorderTest">

-      <Test result="pass" name="testGetActiveMicrophones" />

-      <Test result="pass" name="testGetAudioSourceMax" />

-      <Test result="pass" name="testGetSurfaceApi" />

-      <Test result="pass" name="testOnErrorListener" />

-      <Test result="pass" name="testOnInfoListener" />

-      <Test result="pass" name="testPersistentSurfaceApi" />

-      <Test result="pass" name="testPersistentSurfaceRecording" />

-      <Test result="pass" name="testPersistentSurfaceRecordingTimeLapse" />

-      <Test result="pass" name="testProfileAvcBaselineLevel1" />

-      <Test result="pass" name="testRecordAudioFromAudioSourceUnprocessed" />

-      <Test result="pass" name="testRecordExceedFileSizeLimit" />

-      <Test result="pass" name="testRecorderAudio" />

-      <Test result="pass" name="testRecorderCamera" />

-      <Test result="pass" name="testRecorderMPEG2TS" />

-      <Test result="pass" name="testRecorderPauseResume" />

-      <Test result="pass" name="testRecorderPauseResumeOnTimeLapse" />

-      <Test result="pass" name="testRecorderTimelapsedVideo" />

-      <Test result="pass" name="testRecorderVideo" />

-      <Test result="pass" name="testRecordingAudioInRawFormats" />

-      <Test result="pass" name="testSetCamera" />

-      <Test result="pass" name="testSetCaptureRate" />

-      <Test result="pass" name="testSetMaxDuration" />

-      <Test result="pass" name="testSetMaxFileSize" />

-      <Test result="pass" name="testSetOutputFile" />

-      <Test result="pass" name="testSurfaceRecording" />

-      <Test result="pass" name="testSurfaceRecordingTimeLapse" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaRouterTest">

-      <Test result="pass" name="testAddCallbackWithFlags" />

-      <Test result="pass" name="testCallback" />

-      <Test result="pass" name="testDefaultRouteInfo" />

-      <Test result="pass" name="testGetRouteAt" />

-      <Test result="pass" name="testGetRouteCount" />

-      <Test result="pass" name="testRouteCategory" />

-      <Test result="pass" name="testRouteGroup" />

-      <Test result="pass" name="testSelectRoute" />

-      <Test result="pass" name="testUserRouteInfo" />

-      <Test result="pass" name="testVolumeCallback" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaScannerConnectionTest">

-      <Test result="pass" name="testMediaScannerConnection" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaScannerNotificationTest">

-      <Test result="pass" name="testMediaScannerNotification" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaScannerTest">

-      <Test result="pass" name="testCanonicalize" />

-      <Test result="pass" name="testEncodingDetection" />

-      <Test result="pass" name="testLocalizeRingtoneTitles" />

-      <Test result="pass" name="testMediaScanner" />

-      <Test result="pass" name="testWildcardPaths" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaSessionManagerTest">

-      <Test result="pass" name="testAddOnActiveSessionsListener" />

-      <Test result="pass" name="testGetActiveSessions" />

-      <Test result="pass" name="testRemoteUserInfo" />

-      <Test result="pass" name="testSetOnMediaKeyListener" />

-      <Test result="pass" name="testSetOnVolumeKeyLongPressListener" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaSessionTest">

-      <Test result="pass" name="testCallbackOnMediaButtonEvent" />

-      <Test result="pass" name="testConfigureSession" />

-      <Test result="pass" name="testCreateSession" />

-      <Test result="pass" name="testPlaybackToLocalAndRemote" />

-      <Test result="pass" name="testQueueItem" />

-      <Test result="pass" name="testReleaseNoCrashWithMultipleSessions" />

-      <Test result="pass" name="testSessionToken" />

-      <Test result="pass" name="testSetCallbackWithNull" />

-    </TestCase>

-    <TestCase name="android.media.cts.MediaSyncTest">

-      <Test result="pass" name="testAudioBufferReturn" />

-      <Test result="pass" name="testFlush" />

-      <Test result="pass" name="testPlayAudio" />

-      <Test result="pass" name="testPlayAudioAndVideo" />

-      <Test result="pass" name="testPlayVideo" />

-      <Test result="pass" name="testPlaybackRateDouble" />

-      <Test result="pass" name="testPlaybackRateHalf" />

-      <Test result="pass" name="testPlaybackRateQuarter" />

-      <Test result="pass" name="testSetPlaybackParamsFail" />

-      <Test result="pass" name="testSetPlaybackParamsSucceed" />

-    </TestCase>

-    <TestCase name="android.media.cts.MidiSoloTest">

-      <Test result="pass" name="testMidiManager" />

-      <Test result="pass" name="testMidiReceiver" />

-      <Test result="pass" name="testMidiReceiverException" />

-    </TestCase>

-    <TestCase name="android.media.cts.NativeDecoderTest">

-      <Test result="pass" name="testCryptoInfo" />

-      <Test result="pass" name="testDataSource" />

-      <Test result="pass" name="testDataSourceWithCallback" />

-      <Test result="pass" name="testDecoder" />

-      <Test result="pass" name="testExtractor" />

-      <Test result="pass" name="testExtractorCachedDurationNative" />

-      <Test result="pass" name="testExtractorFileDurationNative" />

-      <Test result="pass" name="testFormat" />

-      <Test result="pass" name="testMuxerAvc" />

-      <Test result="pass" name="testMuxerH263" />

-      <Test result="pass" name="testMuxerHevc" />

-      <Test result="pass" name="testMuxerMpeg4" />

-      <Test result="pass" name="testMuxerVp8" />

-      <Test result="pass" name="testMuxerVp9" />

-      <Test result="pass" name="testMuxerVp9Hdr" />

-      <Test result="pass" name="testMuxerVp9NoCsd" />

-      <Test result="pass" name="testPssh" />

-      <Test result="pass" name="testVideoPlayback" />

-    </TestCase>

-    <TestCase name="android.media.cts.NativeImageReaderTest">

-      <Test result="pass" name="testCreateSurface" />

-      <Test result="pass" name="testSucceedsWithSupportedUsageFormat" />

-      <Test result="pass" name="testTakePictures" />

-    </TestCase>

-    <TestCase name="android.media.cts.NativeMediaDrmClearkeyTest">

-      <Test result="pass" name="testClearKeyPlaybackCenc" />

-      <Test result="pass" name="testClearKeyPlaybackCenc2" />

-      <Test result="pass" name="testFindSessionId" />

-      <Test result="pass" name="testGetPropertyString" />

-      <Test result="pass" name="testIsCryptoSchemeNotSupported" />

-      <Test result="pass" name="testIsCryptoSchemeSupported" />

-      <Test result="pass" name="testPssh" />

-      <Test result="pass" name="testQueryKeyStatus" />

-      <Test result="pass" name="testUnknownPropertyString" />

-    </TestCase>

-    <TestCase name="android.media.cts.ParamsTest">

-      <Test result="pass" name="testBufferingParamsBuilderAndGet" />

-      <Test result="pass" name="testBufferingParamsDescribeContents" />

-      <Test result="pass" name="testBufferingParamsWriteToParcel" />

-      <Test result="pass" name="testPlaybackParamsAudioFallbackMode" />

-      <Test result="pass" name="testPlaybackParamsAudioStretchMode" />

-      <Test result="pass" name="testPlaybackParamsConstants" />

-      <Test result="pass" name="testPlaybackParamsDefaults" />

-      <Test result="pass" name="testPlaybackParamsDescribeContents" />

-      <Test result="pass" name="testPlaybackParamsMultipleSettings" />

-      <Test result="pass" name="testPlaybackParamsPitch" />

-      <Test result="pass" name="testPlaybackParamsSpeed" />

-      <Test result="pass" name="testPlaybackParamsWriteToParcel" />

-      <Test result="pass" name="testSyncParamsAudioAdjustMode" />

-      <Test result="pass" name="testSyncParamsConstants" />

-      <Test result="pass" name="testSyncParamsDefaults" />

-      <Test result="pass" name="testSyncParamsFrameRate" />

-      <Test result="pass" name="testSyncParamsMultipleSettings" />

-      <Test result="pass" name="testSyncParamsSyncSource" />

-      <Test result="pass" name="testSyncParamsTolerance" />

-    </TestCase>

-    <TestCase name="android.media.cts.PlaybackStateTest">

-      <Test result="pass" name="testBuilder" />

-      <Test result="pass" name="testBuilder_addCustomAction" />

-      <Test result="pass" name="testBuilder_addCustomActionWithCustomActionObject" />

-      <Test result="pass" name="testBuilder_setStateWithUpdateTime" />

-      <Test result="pass" name="testBuilder_setterMethods" />

-      <Test result="pass" name="testCustomAction" />

-      <Test result="pass" name="testDescribeContents" />

-      <Test result="pass" name="testWriteToParcel" />

-    </TestCase>

-    <TestCase name="android.media.cts.PresentationSyncTest">

-      <Test result="pass" name="testThroughput" />

-    </TestCase>

-    <TestCase name="android.media.cts.PresetReverbTest">

-      <Test result="pass" name="test0_0ConstructorAndRelease" />

-      <Test result="pass" name="test1_0Presets" />

-      <Test result="pass" name="test1_1Properties" />

-      <Test result="pass" name="test2_0SetEnabledGetEnabled" />

-      <Test result="pass" name="test2_1SetEnabledAfterRelease" />

-      <Test result="pass" name="test3_0ControlStatusListener" />

-      <Test result="pass" name="test3_1EnableStatusListener" />

-      <Test result="pass" name="test3_2ParameterChangedListener" />

-    </TestCase>

-    <TestCase name="android.media.cts.RemoteControllerTest">

-      <Test result="pass" name="testClearArtworkConfiguration" />

-      <Test result="pass" name="testEditMetadata" />

-      <Test result="pass" name="testGetEstimatedMediaPosition" />

-      <Test result="pass" name="testOnClientUpdateListenerUnchanged" />

-      <Test result="pass" name="testSeekTo" />

-      <Test result="pass" name="testSeekTo_negativeValues" />

-      <Test result="pass" name="testSendMediaKeyEvent" />

-      <Test result="pass" name="testSetArtworkConfiguration" />

-      <Test result="pass" name="testSetSynchronizationMode_unregisteredRemoteController" />

-    </TestCase>

-    <TestCase name="android.media.cts.ResourceManagerTest">

-      <Test result="pass" name="testReclaimResourceMixVsNonsecure" />

-      <Test result="pass" name="testReclaimResourceMixVsSecure" />

-      <Test result="pass" name="testReclaimResourceNonsecureVsNonsecure" />

-      <Test result="pass" name="testReclaimResourceNonsecureVsSecure" />

-      <Test result="pass" name="testReclaimResourceSecureVsNonsecure" />

-      <Test result="pass" name="testReclaimResourceSecureVsSecure" />

-    </TestCase>

-    <TestCase name="android.media.cts.RingtoneManagerTest">

-      <Test result="pass" name="testAccessMethods" />

-      <Test result="pass" name="testConstructors" />

-      <Test result="pass" name="testSetType" />

-      <Test result="pass" name="testStopPreviousRingtone" />

-    </TestCase>

-    <TestCase name="android.media.cts.RingtoneTest">

-      <Test result="pass" name="testLoopingVolume" />

-      <Test result="pass" name="testRingtone" />

-    </TestCase>

-    <TestCase name="android.media.cts.RoutingTest">

-      <Test result="pass" name="test_MediaPlayer_RoutingChangedCallback" />

-      <Test result="pass" name="test_MediaPlayer_RoutingListener" />

-      <Test result="pass" name="test_audioRecord_RoutingListener" />

-      <Test result="pass" name="test_audioRecord_audioRouting_RoutingListener" />

-      <Test result="pass" name="test_audioRecord_getRoutedDevice" />

-      <Test result="pass" name="test_audioRecord_preferredDevice" />

-      <Test result="pass" name="test_audioTrack_RoutingListener" />

-      <Test result="pass" name="test_audioTrack_audioRouting_RoutingListener" />

-      <Test result="pass" name="test_audioTrack_getRoutedDevice" />

-      <Test result="pass" name="test_audioTrack_incallMusicRoutingPermissions" />

-      <Test result="pass" name="test_audioTrack_preferredDevice" />

-      <Test result="pass" name="test_mediaPlayer_getRoutedDevice" />

-      <Test result="pass" name="test_mediaPlayer_incallMusicRoutingPermissions" />

-      <Test result="pass" name="test_mediaPlayer_preferredDevice" />

-      <Test result="pass" name="test_mediaRecorder_RoutingListener" />

-      <Test result="pass" name="test_mediaRecorder_getRoutedDeviceId" />

-      <Test result="pass" name="test_mediaRecorder_preferredDevice" />

-    </TestCase>

-    <TestCase name="android.media.cts.SoundPoolAacTest">

-      <Test result="pass" name="testAutoPauseResume" />

-      <Test result="pass" name="testLoad" />

-      <Test result="pass" name="testLoadMore" />

-      <Test result="pass" name="testMultiSound" />

-      <Test result="pass" name="testSoundPoolOp" />

-    </TestCase>

-    <TestCase name="android.media.cts.SoundPoolMidiTest">

-      <Test result="pass" name="testAutoPauseResume" />

-      <Test result="pass" name="testLoad" />

-      <Test result="pass" name="testLoadMore" />

-      <Test result="pass" name="testMultiSound" />

-      <Test result="pass" name="testSoundPoolOp" />

-    </TestCase>

-    <TestCase name="android.media.cts.SoundPoolOggTest">

-      <Test result="pass" name="testAutoPauseResume" />

-      <Test result="pass" name="testLoad" />

-      <Test result="pass" name="testLoadMore" />

-      <Test result="pass" name="testMultiSound" />

-      <Test result="pass" name="testSoundPoolOp" />

-    </TestCase>

-    <TestCase name="android.media.cts.StreamingMediaPlayer2Test">

-      <Test result="pass" name="testBlockingReadRelease" />

-      <Test result="pass" name="testHLS" />

-      <Test result="pass" name="testHTTP_H263_AMR_Video1" />

-      <Test result="pass" name="testHTTP_H263_AMR_Video2" />

-      <Test result="pass" name="testHTTP_H264Base_AAC_Video1" />

-      <Test result="pass" name="testHTTP_H264Base_AAC_Video2" />

-      <Test result="pass" name="testHTTP_MPEG4SP_AAC_Video1" />

-      <Test result="pass" name="testHTTP_MPEG4SP_AAC_Video2" />

-      <Test result="pass" name="testHlsSampleAes_bbb_audio_only_overridable" />

-      <Test result="pass" name="testHlsSampleAes_bbb_unmuxed_1500k" />

-      <Test result="pass" name="testHlsWithHeadersCookies" />

-      <Test result="pass" name="testPlayHlsStream" />

-      <Test result="pass" name="testPlayHlsStreamWithQueryString" />

-      <Test result="pass" name="testPlayHlsStreamWithRedirect" />

-      <Test result="pass" name="testPlayHlsStreamWithTimedId3" />

-      <Test result="pass" name="testPlayMp3Stream1" />

-      <Test result="pass" name="testPlayMp3Stream1Ssl" />

-      <Test result="pass" name="testPlayMp3Stream2" />

-      <Test result="pass" name="testPlayMp3StreamNoLength" />

-      <Test result="pass" name="testPlayMp3StreamRedirect" />

-      <Test result="pass" name="testPlayOggStream" />

-      <Test result="pass" name="testPlayOggStreamNoLength" />

-      <Test result="pass" name="testPlayOggStreamRedirect" />

-    </TestCase>

-    <TestCase name="android.media.cts.StreamingMediaPlayerTest">

-      <Test result="pass" name="testBlockingReadRelease" />

-      <Test result="pass" name="testHLS" />

-      <Test result="pass" name="testHTTP_H263_AMR_Video1" />

-      <Test result="pass" name="testHTTP_H263_AMR_Video2" />

-      <Test result="pass" name="testHTTP_H264Base_AAC_Video1" />

-      <Test result="pass" name="testHTTP_H264Base_AAC_Video2" />

-      <Test result="pass" name="testHTTP_MPEG4SP_AAC_Video1" />

-      <Test result="pass" name="testHTTP_MPEG4SP_AAC_Video2" />

-      <Test result="pass" name="testHlsSampleAes_bbb_audio_only_overridable" />

-      <Test result="pass" name="testHlsSampleAes_bbb_unmuxed_1500k" />

-      <Test result="pass" name="testHlsWithHeadersCookies" />

-      <Test result="pass" name="testPlayHlsStream" />

-      <Test result="pass" name="testPlayHlsStreamWithQueryString" />

-      <Test result="pass" name="testPlayHlsStreamWithRedirect" />

-      <Test result="pass" name="testPlayHlsStreamWithTimedId3" />

-      <Test result="pass" name="testPlayMp3Stream1" />

-      <Test result="pass" name="testPlayMp3Stream1Ssl" />

-      <Test result="pass" name="testPlayMp3Stream2" />

-      <Test result="pass" name="testPlayMp3StreamNoLength" />

-      <Test result="pass" name="testPlayMp3StreamRedirect" />

-      <Test result="pass" name="testPlayOggStream" />

-      <Test result="pass" name="testPlayOggStreamNoLength" />

-      <Test result="pass" name="testPlayOggStreamRedirect" />

-    </TestCase>

-    <TestCase name="android.media.cts.ToneGeneratorTest">

-      <Test result="pass" name="testSyncGenerate" />

-    </TestCase>

-    <TestCase name="android.media.cts.VideoDecoderPerfTest">

-      <Test result="pass" name="testAvcCount0320x0240" />

-      <Test result="pass" name="testAvcCount0720x0480" />

-      <Test result="pass" name="testAvcCount1280x0720" />

-      <Test result="pass" name="testAvcCount1920x1080" />

-      <Test result="pass" name="testAvcGoog0Perf0320x0240">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>580.1607045151507</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAvcGoog0Perf0720x0480">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>244.18184010611358</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAvcGoog0Perf1280x0720">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>70.96290491279275</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAvcGoog0Perf1920x1080">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>31.299613935451564</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAvcGoog1Perf0320x0240" />

-      <Test result="pass" name="testAvcGoog1Perf0720x0480" />

-      <Test result="pass" name="testAvcGoog1Perf1280x0720" />

-      <Test result="pass" name="testAvcGoog1Perf1920x1080" />

-      <Test result="pass" name="testAvcOther0Perf0320x0240">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>1079.6843075197307</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAvcOther0Perf0720x0480">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>873.7785366761784</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAvcOther0Perf1280x0720">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>664.6463289568261</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAvcOther0Perf1920x1080">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>382.10811352923474</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testAvcOther1Perf0320x0240" />

-      <Test result="pass" name="testAvcOther1Perf0720x0480" />

-      <Test result="pass" name="testAvcOther1Perf1280x0720" />

-      <Test result="pass" name="testAvcOther1Perf1920x1080" />

-      <Test result="pass" name="testAvcOther2Perf0320x0240" />

-      <Test result="pass" name="testAvcOther2Perf0720x0480" />

-      <Test result="pass" name="testAvcOther2Perf1280x0720" />

-      <Test result="pass" name="testAvcOther2Perf1920x1080" />

-      <Test result="pass" name="testAvcOther3Perf0320x0240" />

-      <Test result="pass" name="testAvcOther3Perf0720x0480" />

-      <Test result="pass" name="testAvcOther3Perf1280x0720" />

-      <Test result="pass" name="testAvcOther3Perf1920x1080" />

-      <Test result="pass" name="testH263Count0176x0144" />

-      <Test result="pass" name="testH263Count0352x0288" />

-      <Test result="pass" name="testH263Goog0Perf0176x0144">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>1511.3027429644353</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testH263Goog0Perf0352x0288" />

-      <Test result="pass" name="testH263Goog1Perf0176x0144" />

-      <Test result="pass" name="testH263Goog1Perf0352x0288" />

-      <Test result="pass" name="testH263Other0Perf0176x0144" />

-      <Test result="pass" name="testH263Other0Perf0352x0288" />

-      <Test result="pass" name="testH263Other1Perf0176x0144" />

-      <Test result="pass" name="testH263Other1Perf0352x0288" />

-      <Test result="pass" name="testHevcCount0352x0288" />

-      <Test result="pass" name="testHevcCount0640x0360" />

-      <Test result="pass" name="testHevcCount0720x0480" />

-      <Test result="pass" name="testHevcCount1280x0720" />

-      <Test result="pass" name="testHevcCount1920x1080" />

-      <Test result="pass" name="testHevcCount3840x2160" />

-      <Test result="pass" name="testHevcGoog0Perf0352x0288">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>768.8737453173384</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testHevcGoog0Perf0640x0360">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>353.7226028743237</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testHevcGoog0Perf0720x0480">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>319.3122874170939</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testHevcGoog0Perf1280x0720">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>120.89218432028369</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testHevcGoog0Perf1920x1080" />

-      <Test result="pass" name="testHevcGoog0Perf3840x2160" />

-      <Test result="pass" name="testHevcGoog1Perf0352x0288" />

-      <Test result="pass" name="testHevcGoog1Perf0640x0360" />

-      <Test result="pass" name="testHevcGoog1Perf0720x0480" />

-      <Test result="pass" name="testHevcGoog1Perf1280x0720" />

-      <Test result="pass" name="testHevcGoog1Perf1920x1080" />

-      <Test result="pass" name="testHevcGoog1Perf3840x2160" />

-      <Test result="pass" name="testHevcOther0Perf0352x0288" />

-      <Test result="pass" name="testHevcOther0Perf0640x0360" />

-      <Test result="pass" name="testHevcOther0Perf0720x0480" />

-      <Test result="pass" name="testHevcOther0Perf1280x0720" />

-      <Test result="pass" name="testHevcOther0Perf1920x1080" />

-      <Test result="pass" name="testHevcOther0Perf3840x2160" />

-      <Test result="pass" name="testHevcOther1Perf0352x0288" />

-      <Test result="pass" name="testHevcOther1Perf0640x0360" />

-      <Test result="pass" name="testHevcOther1Perf0720x0480" />

-      <Test result="pass" name="testHevcOther1Perf1280x0720" />

-      <Test result="pass" name="testHevcOther1Perf1920x1080" />

-      <Test result="pass" name="testHevcOther1Perf3840x2160" />

-      <Test result="pass" name="testHevcOther2Perf0352x0288" />

-      <Test result="pass" name="testHevcOther2Perf0640x0360" />

-      <Test result="pass" name="testHevcOther2Perf0720x0480" />

-      <Test result="pass" name="testHevcOther2Perf1280x0720" />

-      <Test result="pass" name="testHevcOther2Perf1920x1080" />

-      <Test result="pass" name="testHevcOther2Perf3840x2160" />

-      <Test result="pass" name="testHevcOther3Perf0352x0288" />

-      <Test result="pass" name="testHevcOther3Perf0640x0360" />

-      <Test result="pass" name="testHevcOther3Perf0720x0480" />

-      <Test result="pass" name="testHevcOther3Perf1280x0720" />

-      <Test result="pass" name="testHevcOther3Perf1920x1080" />

-      <Test result="pass" name="testHevcOther3Perf3840x2160" />

-      <Test result="pass" name="testMpeg4Count0176x0144" />

-      <Test result="pass" name="testMpeg4Count0480x0360" />

-      <Test result="pass" name="testMpeg4Count1280x0720" />

-      <Test result="pass" name="testMpeg4Goog0Perf0176x0144">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>1851.890822618321</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testMpeg4Goog0Perf0480x0360" />

-      <Test result="pass" name="testMpeg4Goog0Perf1280x0720" />

-      <Test result="pass" name="testMpeg4Goog1Perf0176x0144" />

-      <Test result="pass" name="testMpeg4Goog1Perf0480x0360" />

-      <Test result="pass" name="testMpeg4Goog1Perf1280x0720" />

-      <Test result="pass" name="testMpeg4Other0Perf0176x0144" />

-      <Test result="pass" name="testMpeg4Other0Perf0480x0360" />

-      <Test result="pass" name="testMpeg4Other0Perf1280x0720" />

-      <Test result="pass" name="testMpeg4Other1Perf0176x0144" />

-      <Test result="pass" name="testMpeg4Other1Perf0480x0360" />

-      <Test result="pass" name="testMpeg4Other1Perf1280x0720" />

-      <Test result="pass" name="testMpeg4Other2Perf0176x0144" />

-      <Test result="pass" name="testMpeg4Other2Perf0480x0360" />

-      <Test result="pass" name="testMpeg4Other2Perf1280x0720" />

-      <Test result="pass" name="testMpeg4Other3Perf0176x0144" />

-      <Test result="pass" name="testMpeg4Other3Perf0480x0360" />

-      <Test result="pass" name="testMpeg4Other3Perf1280x0720" />

-      <Test result="pass" name="testVp8Count0320x0180" />

-      <Test result="pass" name="testVp8Count0640x0360" />

-      <Test result="pass" name="testVp8Count1280x0720" />

-      <Test result="pass" name="testVp8Count1920x1080" />

-      <Test result="pass" name="testVp8Goog0Perf0320x0180">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>1087.946513466716</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testVp8Goog0Perf0640x0360">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>410.18461316281423</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testVp8Goog0Perf1920x1080">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>36.26433070651982</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testVp8Goog1Perf0320x0180" />

-      <Test result="pass" name="testVp8Goog1Perf0640x0360" />

-      <Test result="pass" name="testVp8Goog1Perf1280x0720" />

-      <Test result="pass" name="testVp8Goog1Perf1920x1080" />

-      <Test result="pass" name="testVp8Other0Perf0320x0180">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>1066.7819511702078</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testVp8Other0Perf0640x0360">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>930.261434505189</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testVp8Other0Perf1280x0720">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>720.4170603577236</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testVp8Other0Perf1920x1080">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>377.55742437554915</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testVp8Other1Perf0320x0180" />

-      <Test result="pass" name="testVp8Other1Perf0640x0360" />

-      <Test result="pass" name="testVp8Other1Perf1280x0720" />

-      <Test result="pass" name="testVp8Other1Perf1920x1080" />

-      <Test result="pass" name="testVp9Count0320x0180" />

-      <Test result="pass" name="testVp9Count0640x0360" />

-      <Test result="pass" name="testVp9Count1280x0720" />

-      <Test result="pass" name="testVp9Count1920x1080" />

-      <Test result="pass" name="testVp9Count3840x2160" />

-      <Test result="pass" name="testVp9Goog0Perf0320x0180">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>988.6158776121617</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testVp9Goog0Perf0640x0360">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>409.8162085338674</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testVp9Goog0Perf1280x0720">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>147.75847359424512</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testVp9Goog0Perf1920x1080">

-        <Summary>

-          <Metric source="android.media.cts.VideoDecoderPerfTest#doDecode:283" message="fps" score_type="higher_better" score_unit="fps">

-            <Value>83.95677136649255</Value>

-          </Metric>

-        </Summary>

-      </Test>

-      <Test result="pass" name="testVp9Goog0Perf3840x2160" />

-      <Test result="pass" name="testVp9Goog1Perf0320x0180" />

-      <Test result="pass" name="testVp9Goog1Perf0640x0360" />

-      <Test result="pass" name="testVp9Goog1Perf1280x0720" />

-      <Test result="pass" name="testVp9Goog1Perf1920x1080" />

-      <Test result="pass" name="testVp9Goog1Perf3840x2160" />

-      <Test result="pass" name="testVp9Other0Perf0320x0180" />

-      <Test result="pass" name="testVp9Other0Perf0640x0360" />

-      <Test result="pass" name="testVp9Other0Perf1280x0720" />

-      <Test result="pass" name="testVp9Other0Perf1920x1080" />

-      <Test result="pass" name="testVp9Other0Perf3840x2160" />

-      <Test result="pass" name="testVp9Other1Perf0320x0180" />

-      <Test result="pass" name="testVp9Other1Perf0640x0360" />

-      <Test result="pass" name="testVp9Other1Perf1280x0720" />

-      <Test result="pass" name="testVp9Other1Perf1920x1080" />

-      <Test result="pass" name="testVp9Other1Perf3840x2160" />

-      <Test result="pass" name="testVp9Other2Perf0320x0180" />

-      <Test result="pass" name="testVp9Other2Perf0640x0360" />

-      <Test result="pass" name="testVp9Other2Perf1280x0720" />

-      <Test result="pass" name="testVp9Other2Perf1920x1080" />

-      <Test result="pass" name="testVp9Other2Perf3840x2160" />

-      <Test result="pass" name="testVp9Other3Perf0320x0180" />

-      <Test result="pass" name="testVp9Other3Perf0640x0360" />

-      <Test result="pass" name="testVp9Other3Perf1280x0720" />

-      <Test result="pass" name="testVp9Other3Perf1920x1080" />

-      <Test result="pass" name="testVp9Other3Perf3840x2160" />

-    </TestCase>

-    <TestCase name="android.media.cts.VideoEncoderTest">

-      <Test result="pass" name="testGoogH263Flex1080p" />

-      <Test result="pass" name="testGoogH263Flex360pWithIntraRefresh" />

-      <Test result="pass" name="testGoogH263Flex480p" />

-      <Test result="pass" name="testGoogH263Flex720p" />

-      <Test result="pass" name="testGoogH263FlexArbitraryH" />

-      <Test result="pass" name="testGoogH263FlexArbitraryW" />

-      <Test result="pass" name="testGoogH263FlexMaxMax" />

-      <Test result="pass" name="testGoogH263FlexMaxMin" />

-      <Test result="pass" name="testGoogH263FlexMinMax" />

-      <Test result="pass" name="testGoogH263FlexMinMin" />

-      <Test result="pass" name="testGoogH263FlexNearMaxMax" />

-      <Test result="pass" name="testGoogH263FlexNearMaxMin" />

-      <Test result="pass" name="testGoogH263FlexNearMinMax" />

-      <Test result="pass" name="testGoogH263FlexNearMinMin" />

-      <Test result="pass" name="testGoogH263FlexQCIF" />

-      <Test result="pass" name="testGoogH263Surf1080p" />

-      <Test result="pass" name="testGoogH263Surf480p" />

-      <Test result="pass" name="testGoogH263Surf720p" />

-      <Test result="pass" name="testGoogH263SurfArbitraryH" />

-      <Test result="pass" name="testGoogH263SurfArbitraryW" />

-      <Test result="pass" name="testGoogH263SurfMaxMax" />

-      <Test result="pass" name="testGoogH263SurfMaxMin" />

-      <Test result="pass" name="testGoogH263SurfMinMax" />

-      <Test result="pass" name="testGoogH263SurfMinMin" />

-      <Test result="pass" name="testGoogH263SurfNearMaxMax" />

-      <Test result="pass" name="testGoogH263SurfNearMaxMin" />

-      <Test result="pass" name="testGoogH263SurfNearMinMax" />

-      <Test result="pass" name="testGoogH263SurfNearMinMin" />

-      <Test result="pass" name="testGoogH263SurfQCIF" />

-      <Test result="pass" name="testGoogH264Flex1080p" />

-      <Test result="pass" name="testGoogH264Flex360pWithIntraRefresh" />

-      <Test result="pass" name="testGoogH264Flex480p" />

-      <Test result="pass" name="testGoogH264Flex720p" />

-      <Test result="pass" name="testGoogH264FlexArbitraryH" />

-      <Test result="pass" name="testGoogH264FlexArbitraryW" />

-      <Test result="pass" name="testGoogH264FlexMaxMax" />

-      <Test result="pass" name="testGoogH264FlexMaxMin" />

-      <Test result="pass" name="testGoogH264FlexMinMax" />

-      <Test result="pass" name="testGoogH264FlexMinMin" />

-      <Test result="pass" name="testGoogH264FlexNearMaxMax" />

-      <Test result="pass" name="testGoogH264FlexNearMaxMin" />

-      <Test result="pass" name="testGoogH264FlexNearMinMax" />

-      <Test result="pass" name="testGoogH264FlexNearMinMin" />

-      <Test result="pass" name="testGoogH264FlexQCIF" />

-      <Test result="pass" name="testGoogH264Surf1080p" />

-      <Test result="pass" name="testGoogH264Surf480p" />

-      <Test result="pass" name="testGoogH264Surf720p" />

-      <Test result="pass" name="testGoogH264SurfArbitraryH" />

-      <Test result="pass" name="testGoogH264SurfArbitraryW" />

-      <Test result="pass" name="testGoogH264SurfMaxMax" />

-      <Test result="pass" name="testGoogH264SurfMaxMin" />

-      <Test result="pass" name="testGoogH264SurfMinMax" />

-      <Test result="pass" name="testGoogH264SurfMinMin" />

-      <Test result="pass" name="testGoogH264SurfNearMaxMax" />

-      <Test result="pass" name="testGoogH264SurfNearMaxMin" />

-      <Test result="pass" name="testGoogH264SurfNearMinMax" />

-      <Test result="pass" name="testGoogH264SurfNearMinMin" />

-      <Test result="pass" name="testGoogH264SurfQCIF" />

-      <Test result="pass" name="testGoogH265Flex1080p" />

-      <Test result="pass" name="testGoogH265Flex360pWithIntraRefresh" />

-      <Test result="pass" name="testGoogH265Flex480p" />

-      <Test result="pass" name="testGoogH265Flex720p" />

-      <Test result="pass" name="testGoogH265FlexArbitraryH" />

-      <Test result="pass" name="testGoogH265FlexArbitraryW" />

-      <Test result="pass" name="testGoogH265FlexMaxMax" />

-      <Test result="pass" name="testGoogH265FlexMaxMin" />

-      <Test result="pass" name="testGoogH265FlexMinMax" />

-      <Test result="pass" name="testGoogH265FlexMinMin" />

-      <Test result="pass" name="testGoogH265FlexNearMaxMax" />

-      <Test result="pass" name="testGoogH265FlexNearMaxMin" />

-      <Test result="pass" name="testGoogH265FlexNearMinMax" />

-      <Test result="pass" name="testGoogH265FlexNearMinMin" />

-      <Test result="pass" name="testGoogH265FlexQCIF" />

-      <Test result="pass" name="testGoogH265Surf1080p" />

-      <Test result="pass" name="testGoogH265Surf480p" />

-      <Test result="pass" name="testGoogH265Surf720p" />

-      <Test result="pass" name="testGoogH265SurfArbitraryH" />

-      <Test result="pass" name="testGoogH265SurfArbitraryW" />

-      <Test result="pass" name="testGoogH265SurfMaxMax" />

-      <Test result="pass" name="testGoogH265SurfMaxMin" />

-      <Test result="pass" name="testGoogH265SurfMinMax" />

-      <Test result="pass" name="testGoogH265SurfMinMin" />

-      <Test result="pass" name="testGoogH265SurfNearMaxMax" />

-      <Test result="pass" name="testGoogH265SurfNearMaxMin" />

-      <Test result="pass" name="testGoogH265SurfNearMinMax" />

-      <Test result="pass" name="testGoogH265SurfNearMinMin" />

-      <Test result="pass" name="testGoogH265SurfQCIF" />

-      <Test result="pass" name="testGoogMpeg4Flex1080p" />

-      <Test result="pass" name="testGoogMpeg4Flex360pWithIntraRefresh" />

-      <Test result="pass" name="testGoogMpeg4Flex480p" />

-      <Test result="pass" name="testGoogMpeg4Flex720p" />

-      <Test result="pass" name="testGoogMpeg4FlexArbitraryH" />

-      <Test result="pass" name="testGoogMpeg4FlexArbitraryW" />

-      <Test result="pass" name="testGoogMpeg4FlexMaxMax" />

-      <Test result="pass" name="testGoogMpeg4FlexMaxMin" />

-      <Test result="pass" name="testGoogMpeg4FlexMinMax" />

-      <Test result="pass" name="testGoogMpeg4FlexMinMin" />

-      <Test result="pass" name="testGoogMpeg4FlexNearMaxMax" />

-      <Test result="pass" name="testGoogMpeg4FlexNearMaxMin" />

-      <Test result="pass" name="testGoogMpeg4FlexNearMinMax" />

-      <Test result="pass" name="testGoogMpeg4FlexNearMinMin" />

-      <Test result="pass" name="testGoogMpeg4FlexQCIF" />

-      <Test result="pass" name="testGoogMpeg4Surf1080p" />

-      <Test result="pass" name="testGoogMpeg4Surf480p" />

-      <Test result="pass" name="testGoogMpeg4Surf720p" />

-      <Test result="pass" name="testGoogMpeg4SurfArbitraryH" />

-      <Test result="pass" name="testGoogMpeg4SurfArbitraryW" />

-      <Test result="pass" name="testGoogMpeg4SurfMaxMax" />

-      <Test result="pass" name="testGoogMpeg4SurfMaxMin" />

-      <Test result="pass" name="testGoogMpeg4SurfMinMax" />

-      <Test result="pass" name="testGoogMpeg4SurfMinMin" />

-      <Test result="pass" name="testGoogMpeg4SurfNearMaxMax" />

-      <Test result="pass" name="testGoogMpeg4SurfNearMaxMin" />

-      <Test result="pass" name="testGoogMpeg4SurfNearMinMax" />

-      <Test result="pass" name="testGoogMpeg4SurfNearMinMin" />

-      <Test result="pass" name="testGoogMpeg4SurfQCIF" />

-      <Test result="pass" name="testGoogVP8Flex1080p" />

-      <Test result="pass" name="testGoogVP8Flex360pWithIntraRefresh" />

-      <Test result="pass" name="testGoogVP8Flex480p" />

-      <Test result="pass" name="testGoogVP8Flex720p" />

-      <Test result="pass" name="testGoogVP8FlexArbitraryH" />

-      <Test result="pass" name="testGoogVP8FlexArbitraryW" />

-      <Test result="pass" name="testGoogVP8FlexMaxMax" />

-      <Test result="pass" name="testGoogVP8FlexMaxMin" />

-      <Test result="pass" name="testGoogVP8FlexMinMax" />

-      <Test result="pass" name="testGoogVP8FlexMinMin" />

-      <Test result="pass" name="testGoogVP8FlexNearMaxMax" />

-      <Test result="pass" name="testGoogVP8FlexNearMaxMin" />

-      <Test result="pass" name="testGoogVP8FlexNearMinMax" />

-      <Test result="pass" name="testGoogVP8FlexNearMinMin" />

-      <Test result="pass" name="testGoogVP8FlexQCIF" />

-      <Test result="pass" name="testGoogVP8Surf1080p" />

-      <Test result="pass" name="testGoogVP8Surf480p" />

-      <Test result="pass" name="testGoogVP8Surf720p" />

-      <Test result="pass" name="testGoogVP8SurfArbitraryH" />

-      <Test result="pass" name="testGoogVP8SurfArbitraryW" />

-      <Test result="pass" name="testGoogVP8SurfMaxMax" />

-      <Test result="pass" name="testGoogVP8SurfMaxMin" />

-      <Test result="pass" name="testGoogVP8SurfMinMax" />

-      <Test result="pass" name="testGoogVP8SurfMinMin" />

-      <Test result="pass" name="testGoogVP8SurfNearMaxMax" />

-      <Test result="pass" name="testGoogVP8SurfNearMaxMin" />

-      <Test result="pass" name="testGoogVP8SurfNearMinMax" />

-      <Test result="pass" name="testGoogVP8SurfNearMinMin" />

-      <Test result="pass" name="testGoogVP8SurfQCIF" />

-      <Test result="pass" name="testGoogVP9Flex1080p" />

-      <Test result="pass" name="testGoogVP9Flex480p" />

-      <Test result="pass" name="testGoogVP9Flex720p" />

-      <Test result="pass" name="testGoogVP9FlexArbitraryH" />

-      <Test result="pass" name="testGoogVP9FlexArbitraryW" />

-      <Test result="pass" name="testGoogVP9FlexMaxMax" />

-      <Test result="pass" name="testGoogVP9FlexMaxMin" />

-      <Test result="pass" name="testGoogVP9FlexMinMax" />

-      <Test result="pass" name="testGoogVP9FlexMinMin" />

-      <Test result="pass" name="testGoogVP9FlexNearMaxMax" />

-      <Test result="pass" name="testGoogVP9FlexNearMaxMin" />

-      <Test result="pass" name="testGoogVP9FlexNearMinMax" />

-      <Test result="pass" name="testGoogVP9FlexNearMinMin" />

-      <Test result="pass" name="testGoogVP9FlexQCIF" />

-      <Test result="pass" name="testGoogVP9Surf1080p" />

-      <Test result="pass" name="testGoogVP9Surf480p" />

-      <Test result="pass" name="testGoogVP9Surf720p" />

-      <Test result="pass" name="testGoogVP9SurfArbitraryH" />

-      <Test result="pass" name="testGoogVP9SurfArbitraryW" />

-      <Test result="pass" name="testGoogVP9SurfMaxMax" />

-      <Test result="pass" name="testGoogVP9SurfMaxMin" />

-      <Test result="pass" name="testGoogVP9SurfMinMax" />

-      <Test result="pass" name="testGoogVP9SurfMinMin" />

-      <Test result="pass" name="testGoogVP9SurfNearMaxMax" />

-      <Test result="pass" name="testGoogVP9SurfNearMaxMin" />

-      <Test result="pass" name="testGoogVP9SurfNearMinMax" />

-      <Test result="pass" name="testGoogVP9SurfNearMinMin" />

-      <Test result="pass" name="testGoogVP9SurfQCIF" />

-      <Test result="pass" name="testH264Flex1080p30fps10Mbps" />

-      <Test result="pass" name="testH264Flex480p30fps2Mbps" />

-      <Test result="pass" name="testH264Flex720p30fps4Mbps" />

-      <Test result="pass" name="testH264FlexQVGA20fps384kbps" />

-      <Test result="pass" name="testH264HighQualitySDSupport" />

-      <Test result="pass" name="testH264LowQualitySDSupport" />

-      <Test result="pass" name="testH264Surf1080p30fps10Mbps" />

-      <Test result="pass" name="testH264Surf480p30fps2Mbps" />

-      <Test result="pass" name="testH264Surf720p30fps4Mbps" />

-      <Test result="pass" name="testH264SurfQVGA20fps384kbps" />

-      <Test result="pass" name="testOtherH263Flex1080p" />

-      <Test result="pass" name="testOtherH263Flex480p" />

-      <Test result="pass" name="testOtherH263Flex720p" />

-      <Test result="pass" name="testOtherH263FlexArbitraryH" />

-      <Test result="pass" name="testOtherH263FlexArbitraryW" />

-      <Test result="pass" name="testOtherH263FlexMaxMax" />

-      <Test result="pass" name="testOtherH263FlexMaxMin" />

-      <Test result="pass" name="testOtherH263FlexMinMax" />

-      <Test result="pass" name="testOtherH263FlexMinMin" />

-      <Test result="pass" name="testOtherH263FlexNearMaxMax" />

-      <Test result="pass" name="testOtherH263FlexNearMaxMin" />

-      <Test result="pass" name="testOtherH263FlexNearMinMax" />

-      <Test result="pass" name="testOtherH263FlexNearMinMin" />

-      <Test result="pass" name="testOtherH263FlexQCIF" />

-      <Test result="pass" name="testOtherH263FlexQCIFWithIntraRefresh" />

-      <Test result="pass" name="testOtherH263Surf1080p" />

-      <Test result="pass" name="testOtherH263Surf480p" />

-      <Test result="pass" name="testOtherH263Surf720p" />

-      <Test result="pass" name="testOtherH263SurfArbitraryH" />

-      <Test result="pass" name="testOtherH263SurfArbitraryW" />

-      <Test result="pass" name="testOtherH263SurfMaxMax" />

-      <Test result="pass" name="testOtherH263SurfMaxMin" />

-      <Test result="pass" name="testOtherH263SurfMinMax" />

-      <Test result="pass" name="testOtherH263SurfMinMin" />

-      <Test result="pass" name="testOtherH263SurfNearMaxMax" />

-      <Test result="pass" name="testOtherH263SurfNearMaxMin" />

-      <Test result="pass" name="testOtherH263SurfNearMinMax" />

-      <Test result="pass" name="testOtherH263SurfNearMinMin" />

-      <Test result="pass" name="testOtherH263SurfQCIF" />

-      <Test result="pass" name="testOtherH264Flex1080p" />

-      <Test result="pass" name="testOtherH264Flex360pWithIntraRefresh" />

-      <Test result="pass" name="testOtherH264Flex480p" />

-      <Test result="pass" name="testOtherH264Flex720p" />

-      <Test result="pass" name="testOtherH264FlexArbitraryH" />

-      <Test result="pass" name="testOtherH264FlexArbitraryW" />

-      <Test result="pass" name="testOtherH264FlexMaxMax" />

-      <Test result="pass" name="testOtherH264FlexMaxMin" />

-      <Test result="pass" name="testOtherH264FlexMinMax" />

-      <Test result="pass" name="testOtherH264FlexMinMin" />

-      <Test result="pass" name="testOtherH264FlexNearMaxMax" />

-      <Test result="pass" name="testOtherH264FlexNearMaxMin" />

-      <Test result="pass" name="testOtherH264FlexNearMinMax" />

-      <Test result="pass" name="testOtherH264FlexNearMinMin" />

-      <Test result="pass" name="testOtherH264FlexQCIF" />

-      <Test result="pass" name="testOtherH264Surf1080p" />

-      <Test result="pass" name="testOtherH264Surf480p" />

-      <Test result="pass" name="testOtherH264Surf720p" />

-      <Test result="pass" name="testOtherH264SurfArbitraryH" />

-      <Test result="pass" name="testOtherH264SurfArbitraryW" />

-      <Test result="pass" name="testOtherH264SurfMaxMax" />

-      <Test result="pass" name="testOtherH264SurfMaxMin" />

-      <Test result="pass" name="testOtherH264SurfMinMax" />

-      <Test result="pass" name="testOtherH264SurfMinMin" />

-      <Test result="pass" name="testOtherH264SurfNearMaxMax" />

-      <Test result="pass" name="testOtherH264SurfNearMaxMin" />

-      <Test result="pass" name="testOtherH264SurfNearMinMax" />

-      <Test result="pass" name="testOtherH264SurfNearMinMin" />

-      <Test result="pass" name="testOtherH264SurfQCIF" />

-      <Test result="pass" name="testOtherH265Flex1080p" />

-      <Test result="pass" name="testOtherH265Flex360pWithIntraRefresh" />

-      <Test result="pass" name="testOtherH265Flex480p" />

-      <Test result="pass" name="testOtherH265Flex720p" />

-      <Test result="pass" name="testOtherH265FlexArbitraryH" />

-      <Test result="pass" name="testOtherH265FlexArbitraryW" />

-      <Test result="pass" name="testOtherH265FlexMaxMax" />

-      <Test result="pass" name="testOtherH265FlexMaxMin" />

-      <Test result="pass" name="testOtherH265FlexMinMax" />

-      <Test result="pass" name="testOtherH265FlexMinMin" />

-      <Test result="pass" name="testOtherH265FlexNearMaxMax" />

-      <Test result="pass" name="testOtherH265FlexNearMaxMin" />

-      <Test result="pass" name="testOtherH265FlexNearMinMax" />

-      <Test result="pass" name="testOtherH265FlexNearMinMin" />

-      <Test result="pass" name="testOtherH265FlexQCIF" />

-      <Test result="pass" name="testOtherH265Surf1080p" />

-      <Test result="pass" name="testOtherH265Surf480p" />

-      <Test result="pass" name="testOtherH265Surf720p" />

-      <Test result="pass" name="testOtherH265SurfArbitraryH" />

-      <Test result="pass" name="testOtherH265SurfArbitraryW" />

-      <Test result="pass" name="testOtherH265SurfMaxMax" />

-      <Test result="pass" name="testOtherH265SurfMaxMin" />

-      <Test result="pass" name="testOtherH265SurfMinMax" />

-      <Test result="pass" name="testOtherH265SurfMinMin" />

-      <Test result="pass" name="testOtherH265SurfNearMaxMax" />

-      <Test result="pass" name="testOtherH265SurfNearMaxMin" />

-      <Test result="pass" name="testOtherH265SurfNearMinMax" />

-      <Test result="pass" name="testOtherH265SurfNearMinMin" />

-      <Test result="pass" name="testOtherH265SurfQCIF" />

-      <Test result="pass" name="testOtherMpeg4Flex1080p" />

-      <Test result="pass" name="testOtherMpeg4Flex360pWithIntraRefresh" />

-      <Test result="pass" name="testOtherMpeg4Flex480p" />

-      <Test result="pass" name="testOtherMpeg4Flex720p" />

-      <Test result="pass" name="testOtherMpeg4FlexArbitraryH" />

-      <Test result="pass" name="testOtherMpeg4FlexArbitraryW" />

-      <Test result="pass" name="testOtherMpeg4FlexMaxMax" />

-      <Test result="pass" name="testOtherMpeg4FlexMaxMin" />

-      <Test result="pass" name="testOtherMpeg4FlexMinMax" />

-      <Test result="pass" name="testOtherMpeg4FlexMinMin" />

-      <Test result="pass" name="testOtherMpeg4FlexNearMaxMax" />

-      <Test result="pass" name="testOtherMpeg4FlexNearMaxMin" />

-      <Test result="pass" name="testOtherMpeg4FlexNearMinMax" />

-      <Test result="pass" name="testOtherMpeg4FlexNearMinMin" />

-      <Test result="pass" name="testOtherMpeg4FlexQCIF" />

-      <Test result="pass" name="testOtherMpeg4Surf1080p" />

-      <Test result="pass" name="testOtherMpeg4Surf480p" />

-      <Test result="pass" name="testOtherMpeg4Surf720p" />

-      <Test result="pass" name="testOtherMpeg4SurfArbitraryH" />

-      <Test result="pass" name="testOtherMpeg4SurfArbitraryW" />

-      <Test result="pass" name="testOtherMpeg4SurfMaxMax" />

-      <Test result="pass" name="testOtherMpeg4SurfMaxMin" />

-      <Test result="pass" name="testOtherMpeg4SurfMinMax" />

-      <Test result="pass" name="testOtherMpeg4SurfMinMin" />

-      <Test result="pass" name="testOtherMpeg4SurfNearMaxMax" />

-      <Test result="pass" name="testOtherMpeg4SurfNearMaxMin" />

-      <Test result="pass" name="testOtherMpeg4SurfNearMinMax" />

-      <Test result="pass" name="testOtherMpeg4SurfNearMinMin" />

-      <Test result="pass" name="testOtherMpeg4SurfQCIF" />

-      <Test result="pass" name="testOtherVP8Flex1080p" />

-      <Test result="pass" name="testOtherVP8Flex360pWithIntraRefresh" />

-      <Test result="pass" name="testOtherVP8Flex480p" />

-      <Test result="pass" name="testOtherVP8Flex720p" />

-      <Test result="pass" name="testOtherVP8FlexArbitraryH" />

-      <Test result="pass" name="testOtherVP8FlexArbitraryW" />

-      <Test result="pass" name="testOtherVP8FlexMaxMax" />

-      <Test result="pass" name="testOtherVP8FlexMaxMin" />

-      <Test result="pass" name="testOtherVP8FlexMinMax" />

-      <Test result="pass" name="testOtherVP8FlexMinMin" />

-      <Test result="pass" name="testOtherVP8FlexNearMaxMax" />

-      <Test result="pass" name="testOtherVP8FlexNearMaxMin" />

-      <Test result="pass" name="testOtherVP8FlexNearMinMax" />

-      <Test result="pass" name="testOtherVP8FlexNearMinMin" />

-      <Test result="pass" name="testOtherVP8FlexQCIF" />

-      <Test result="pass" name="testOtherVP8Surf1080p" />

-      <Test result="pass" name="testOtherVP8Surf480p" />

-      <Test result="pass" name="testOtherVP8Surf720p" />

-      <Test result="pass" name="testOtherVP8SurfArbitraryH" />

-      <Test result="pass" name="testOtherVP8SurfArbitraryW" />

-      <Test result="pass" name="testOtherVP8SurfMaxMax" />

-      <Test result="pass" name="testOtherVP8SurfMaxMin" />

-      <Test result="pass" name="testOtherVP8SurfMinMax" />

-      <Test result="pass" name="testOtherVP8SurfMinMin" />

-      <Test result="pass" name="testOtherVP8SurfNearMaxMax" />

-      <Test result="pass" name="testOtherVP8SurfNearMaxMin" />

-      <Test result="pass" name="testOtherVP8SurfNearMinMax" />

-      <Test result="pass" name="testOtherVP8SurfNearMinMin" />

-      <Test result="pass" name="testOtherVP8SurfQCIF" />

-      <Test result="pass" name="testOtherVP9Flex1080p" />

-      <Test result="pass" name="testOtherVP9Flex480p" />

-      <Test result="pass" name="testOtherVP9Flex720p" />

-      <Test result="pass" name="testOtherVP9FlexArbitraryH" />

-      <Test result="pass" name="testOtherVP9FlexArbitraryW" />

-      <Test result="pass" name="testOtherVP9FlexMaxMax" />

-      <Test result="pass" name="testOtherVP9FlexMaxMin" />

-      <Test result="pass" name="testOtherVP9FlexMinMax" />

-      <Test result="pass" name="testOtherVP9FlexMinMin" />

-      <Test result="pass" name="testOtherVP9FlexNearMaxMax" />

-      <Test result="pass" name="testOtherVP9FlexNearMaxMin" />

-      <Test result="pass" name="testOtherVP9FlexNearMinMax" />

-      <Test result="pass" name="testOtherVP9FlexNearMinMin" />

-      <Test result="pass" name="testOtherVP9FlexQCIF" />

-      <Test result="pass" name="testOtherVP9Surf1080p" />

-      <Test result="pass" name="testOtherVP9Surf480p" />

-      <Test result="pass" name="testOtherVP9Surf720p" />

-      <Test result="pass" name="testOtherVP9SurfArbitraryH" />

-      <Test result="pass" name="testOtherVP9SurfArbitraryW" />

-      <Test result="pass" name="testOtherVP9SurfMaxMax" />

-      <Test result="pass" name="testOtherVP9SurfMaxMin" />

-      <Test result="pass" name="testOtherVP9SurfMinMax" />

-      <Test result="pass" name="testOtherVP9SurfMinMin" />

-      <Test result="pass" name="testOtherVP9SurfNearMaxMax" />

-      <Test result="pass" name="testOtherVP9SurfNearMaxMin" />

-      <Test result="pass" name="testOtherVP9SurfNearMinMax" />

-      <Test result="pass" name="testOtherVP9SurfNearMinMin" />

-      <Test result="pass" name="testOtherVP9SurfQCIF" />

-      <Test result="pass" name="testVP8Flex1080p30fps10Mbps" />

-      <Test result="pass" name="testVP8Flex180p30fps800kbps" />

-      <Test result="pass" name="testVP8Flex360p30fps2Mbps" />

-      <Test result="pass" name="testVP8Flex720p30fps4Mbps" />

-      <Test result="pass" name="testVP8HighQualitySDSupport" />

-      <Test result="pass" name="testVP8LowQualitySDSupport" />

-      <Test result="pass" name="testVP8Surf1080p30fps10Mbps" />

-      <Test result="pass" name="testVP8Surf180p30fps800kbps" />

-      <Test result="pass" name="testVP8Surf360p30fps2Mbps" />

-      <Test result="pass" name="testVP8Surf720p30fps4Mbps" />

-    </TestCase>

-    <TestCase name="android.media.cts.VirtualizerTest">

-      <Test result="pass" name="test0_0ConstructorAndRelease" />

-      <Test result="pass" name="test1_0Strength" />

-      <Test result="pass" name="test1_1Properties" />

-      <Test result="pass" name="test1_2SetStrengthAfterRelease" />

-      <Test result="pass" name="test2_0SetEnabledGetEnabled" />

-      <Test result="pass" name="test2_1SetEnabledAfterRelease" />

-      <Test result="pass" name="test3_0ControlStatusListener" />

-      <Test result="pass" name="test3_1EnableStatusListener" />

-      <Test result="pass" name="test3_2ParameterChangedListener" />

-      <Test result="pass" name="test4_0FormatModeQuery" />

-      <Test result="pass" name="test4_1SpeakerAnglesCapaMatchesFormatModeCapa" />

-      <Test result="pass" name="test4_2VirtualizationMode" />

-      <Test result="pass" name="test4_3DisablingVirtualizationOff" />

-      <Test result="pass" name="test4_4VirtualizationModeAuto" />

-      <Test result="pass" name="test4_5ConsistentCapabilitiesWithEnabledDisabled" />

-    </TestCase>

-    <TestCase name="android.media.cts.VisualizerTest">

-      <Test result="pass" name="test0_0ConstructorAndRelease" />

-      <Test result="pass" name="test1_0CaptureRates" />

-      <Test result="pass" name="test1_1CaptureSize" />

-      <Test result="pass" name="test2_0PollingCapture" />

-      <Test result="pass" name="test2_1ListenerCapture" />

-      <Test result="pass" name="test3_0MeasurementModeNone" />

-      <Test result="pass" name="test4_0MeasurementModePeakRms" />

-      <Test result="pass" name="test4_1MeasurePeakRms" />

-      <Test result="pass" name="test4_2MeasurePeakRmsLongMP3" />

-    </TestCase>

-    <TestCase name="android.media.cts.VolumeShaperTest">

-      <Test result="pass" name="testMaximumShapers" />

-      <Test result="pass" name="testPlayerCornerCase" />

-      <Test result="pass" name="testPlayerCornerCase2" />

-      <Test result="pass" name="testPlayerCubicMonotonic" />

-      <Test result="pass" name="testPlayerDuck" />

-      <Test result="pass" name="testPlayerJoin" />

-      <Test result="pass" name="testPlayerRamp" />

-      <Test result="pass" name="testPlayerRunDuringPauseStop" />

-      <Test result="pass" name="testPlayerStepRamp" />

-      <Test result="pass" name="testPlayerTwoShapers" />

-      <Test result="pass" name="testVolumeShaperConfigurationBuilder" />

-      <Test result="pass" name="testVolumeShaperConfigurationParcelable" />

-      <Test result="pass" name="testVolumeShaperOperationParcelable" />

-    </TestCase>

-    <TestCase name="android.media.cts.VpxEncoderTest">

-      <Test result="pass" name="testAsyncEncodingVP8" />

-      <Test result="pass" name="testAsyncEncodingVP9" />

-      <Test result="pass" name="testBasicVP8" />

-      <Test result="pass" name="testBasicVP9" />

-      <Test result="pass" name="testDynamicBitrateChangeVP8" />

-      <Test result="pass" name="testDynamicBitrateChangeVP8Ndk" />

-      <Test result="pass" name="testDynamicBitrateChangeVP9" />

-      <Test result="pass" name="testDynamicBitrateChangeVP9Ndk" />

-      <Test result="pass" name="testEncoderQualityVP8" />

-      <Test result="pass" name="testEncoderQualityVP9" />

-      <Test result="pass" name="testParallelEncodingAndDecodingVP8" />

-      <Test result="pass" name="testParallelEncodingAndDecodingVP9" />

-      <Test result="pass" name="testSyncFrameVP8" />

-      <Test result="pass" name="testSyncFrameVP8Ndk" />

-      <Test result="pass" name="testSyncFrameVP9" />

-      <Test result="pass" name="testSyncFrameVP9Ndk" />

-    </TestCase>

-  </Module>

-</Result>
\ No newline at end of file
diff --git a/server/hosts/base_servohost.py b/server/hosts/base_servohost.py
index 4c73461..277477b 100644
--- a/server/hosts/base_servohost.py
+++ b/server/hosts/base_servohost.py
@@ -23,7 +23,6 @@
 from autotest_lib.client.cros import constants as client_constants
 from autotest_lib.server import autotest
 from autotest_lib.server import site_utils as server_utils
-from autotest_lib.server.cros import provisioner
 from autotest_lib.server.hosts import ssh_host
 
 
@@ -321,13 +320,14 @@
         ds = dev_server.ImageServer.resolve(self.hostname,
                                             hostname=self.hostname)
         url = ds.get_update_url(target_build)
-        cros_provisioner = provisioner.ChromiumOSProvisioner(update_url=url,
-                                                             host=self,
-                                                             is_servohost=True)
-        logging.info('Using devserver url: %s to trigger update on '
-                     'servo host %s, from %s to %s', url, self.hostname,
-                     current_build_number, target_build_number)
-        cros_provisioner.run_provision()
+        # TODO dbeckett@, strip this out in favor of services.
+        # cros_provisioner = provisioner.ChromiumOSProvisioner(update_url=url,
+        #                                                      host=self,
+        #                                                      is_servohost=True)
+        # logging.info('Using devserver url: %s to trigger update on '
+        #              'servo host %s, from %s to %s', url, self.hostname,
+        #              current_build_number, target_build_number)
+        # cros_provisioner.run_provision()
 
 
     def has_power(self):
diff --git a/server/hosts/chameleon_host.py b/server/hosts/chameleon_host.py
index dc56e60..a0c849e 100644
--- a/server/hosts/chameleon_host.py
+++ b/server/hosts/chameleon_host.py
@@ -166,34 +166,22 @@
         is_moblab = _CONFIG.get_config_value(
                 'SSP', 'is_moblab', type=bool, default=False)
 
-    if not is_moblab:
-        dut_is_hostname = not dnsname_mangler.is_ip_address(dut)
-        if dut_is_hostname:
-            chameleon_hostname = chameleon.make_chameleon_hostname(dut)
-            if utils.host_is_in_lab_zone(chameleon_hostname):
-                # Be more tolerant on chameleon in the lab because
-                # we don't want dead chameleon blocks non-chameleon tests.
-                if utils.ping(chameleon_hostname, deadline=3):
-                   logging.warning(
-                           'Chameleon %s is not accessible. Please file a bug'
-                           ' to test lab', chameleon_hostname)
-                   return None
-                return ChameleonHost(chameleon_host=chameleon_hostname)
-        if chameleon_args:
-            return ChameleonHost(**chameleon_args)
-        else:
-            return None
+    dut_is_hostname = not dnsname_mangler.is_ip_address(dut)
+    if dut_is_hostname:
+        chameleon_hostname = chameleon.make_chameleon_hostname(dut)
+        if utils.host_is_in_lab_zone(chameleon_hostname):
+            # Be more tolerant on chameleon in the lab because
+            # we don't want dead chameleon blocks non-chameleon tests.
+            if utils.ping(chameleon_hostname, deadline=3):
+                logging.warning(
+                        'Chameleon %s is not accessible. Please file a bug'
+                        ' to test lab', chameleon_hostname)
+                return None
+            return ChameleonHost(chameleon_host=chameleon_hostname)
+    if chameleon_args:
+        return ChameleonHost(**chameleon_args)
     else:
-        afe = frontend_wrappers.RetryingAFE(timeout_min=5, delay_sec=10)
-        hosts = afe.get_hosts(hostname=dut)
-        if hosts and CHAMELEON_HOST_ATTR in hosts[0].attributes:
-            return ChameleonHost(
-                chameleon_host=hosts[0].attributes[CHAMELEON_HOST_ATTR],
-                chameleon_port=hosts[0].attributes.get(
-                    CHAMELEON_PORT_ATTR, 9992)
-            )
-        else:
-            return None
+        return None
 
 
 def create_btpeer_host(dut, btpeer_args_list):
diff --git a/server/hosts/cros_host.py b/server/hosts/cros_host.py
index e45021c..d2aae7f 100644
--- a/server/hosts/cros_host.py
+++ b/server/hosts/cros_host.py
@@ -26,7 +26,7 @@
 from autotest_lib.client.cros import cros_ui
 from autotest_lib.server import utils as server_utils
 from autotest_lib.server import tauto_warnings
-from autotest_lib.server.cros import provision
+from autotest_lib.server.consts import consts
 from autotest_lib.server.cros.dynamic_suite import constants as ds_constants
 from autotest_lib.server.cros.dynamic_suite import tools
 from autotest_lib.server.cros.device_health_profile import device_health_profile
@@ -54,7 +54,7 @@
 class CrosHost(abstract_ssh.AbstractSSHHost):
     """Chromium OS specific subclass of Host."""
 
-    VERSION_PREFIX = provision.CROS_VERSION_PREFIX
+    VERSION_PREFIX = consts.CROS_VERSION_PREFIX
 
 
     # Timeout values (in seconds) associated with various Chrome OS
@@ -444,12 +444,12 @@
 
         In case the CrOS provisioning version is something other than the
         standard CrOS version e.g. CrOS TH version, this function will
-        find the prefix from provision.py.
+        find the prefix from consts.py.
 
         @param image: The image name to find its version prefix.
         @returns: A prefix string for the image type.
         """
-        return provision.get_version_label_prefix(image)
+        return consts.get_version_label_prefix(image)
 
     def stage_build_to_usb(self, build):
         """Stage the current ChromeOS image on the USB stick connected to the
@@ -579,9 +579,9 @@
                         both fwro_version and fwrw_version.
         """
         info = self.host_info_store.get()
-        info.clear_version_labels(provision.FW_RW_VERSION_PREFIX)
+        info.clear_version_labels(consts.FW_RW_VERSION_PREFIX)
         if not rw_only:
-            info.clear_version_labels(provision.FW_RO_VERSION_PREFIX)
+            info.clear_version_labels(consts.FW_RO_VERSION_PREFIX)
         self.host_info_store.commit(info)
 
 
@@ -594,9 +594,9 @@
 
         """
         info = self.host_info_store.get()
-        info.set_version_label(provision.FW_RW_VERSION_PREFIX, build)
+        info.set_version_label(consts.FW_RW_VERSION_PREFIX, build)
         if not rw_only:
-            info.set_version_label(provision.FW_RO_VERSION_PREFIX, build)
+            info.set_version_label(consts.FW_RO_VERSION_PREFIX, build)
         self.host_info_store.commit(info)
 
     @staticmethod
diff --git a/server/hosts/host_info.py b/server/hosts/host_info.py
index 5cbadfb..3edfdad 100644
--- a/server/hosts/host_info.py
+++ b/server/hosts/host_info.py
@@ -13,7 +13,7 @@
 import logging
 
 import common
-from autotest_lib.server.cros import provision
+from autotest_lib.server.consts import consts
 import six
 
 
@@ -55,13 +55,13 @@
     _SV_SERVO_CROS_KEY = "servo-cros"
 
     _OS_VERSION_LABELS = (
-            provision.CROS_VERSION_PREFIX,
-            provision.CROS_ANDROID_VERSION_PREFIX,
+            consts.CROS_VERSION_PREFIX,
+            consts.CROS_ANDROID_VERSION_PREFIX,
     )
 
     _VERSION_LABELS = _OS_VERSION_LABELS + (
-            provision.FW_RO_VERSION_PREFIX,
-            provision.FW_RW_VERSION_PREFIX,
+            consts.FW_RO_VERSION_PREFIX,
+            consts.FW_RW_VERSION_PREFIX,
     )
 
     def __init__(self, labels=None, attributes=None, stable_versions=None):