Chromium Code Reviews
chromiumcodereview-hr@appspot.gserviceaccount.com (chromiumcodereview-hr) | Please choose your nickname with Settings | Help | Chromium Project | Gerrit Changes | Sign out
(416)

Side by Side Diff: build/android/pylib/gtest/test_runner.py

Issue 2101243005: Add a snapshot of flutter/engine/src/build to our sdk (Closed) Base URL: git@github.com:dart-lang/sdk.git@master
Patch Set: add README.dart Created 4 years, 5 months ago
Use n/p to move between diff chunks; N/P to move between comments. Draft comments are only viewable by you.
Jump to:
View unified diff | Download patch
OLDNEW
(Empty)
1 # Copyright (c) 2012 The Chromium Authors. All rights reserved.
2 # Use of this source code is governed by a BSD-style license that can be
3 # found in the LICENSE file.
4
5 import logging
6 import os
7 import re
8 import tempfile
9
10 from pylib import pexpect
11 from pylib import ports
12 from pylib.base import base_test_result
13 from pylib.base import base_test_runner
14 from pylib.device import device_errors
15 from pylib.gtest import gtest_test_instance
16 from pylib.local import local_test_server_spawner
17 from pylib.perf import perf_control
18
19 # Test case statuses.
20 RE_RUN = re.compile('\\[ RUN \\] ?(.*)\r\n')
21 RE_FAIL = re.compile('\\[ FAILED \\] ?(.*?)( \\((\\d+) ms\\))?\r\r\n')
22 RE_OK = re.compile('\\[ OK \\] ?(.*?)( \\((\\d+) ms\\))?\r\r\n')
23
24 # Test run statuses.
25 RE_PASSED = re.compile('\\[ PASSED \\] ?(.*)\r\n')
26 RE_RUNNER_FAIL = re.compile('\\[ RUNNER_FAILED \\] ?(.*)\r\n')
27 # Signal handlers are installed before starting tests
28 # to output the CRASHED marker when a crash happens.
29 RE_CRASH = re.compile('\\[ CRASHED \\](.*)\r\n')
30
31 # Bots that don't output anything for 20 minutes get timed out, so that's our
32 # hard cap.
33 _INFRA_STDOUT_TIMEOUT = 20 * 60
34
35
36 def _TestSuiteRequiresMockTestServer(suite_name):
37 """Returns True if the test suite requires mock test server."""
38 tests_require_net_test_server = ['unit_tests', 'net_unittests',
39 'components_browsertests',
40 'content_unittests',
41 'content_browsertests']
42 return (suite_name in
43 tests_require_net_test_server)
44
45 def _TestSuiteRequiresHighPerfMode(suite_name):
46 """Returns True if the test suite requires high performance mode."""
47 return 'perftests' in suite_name
48
49 class TestRunner(base_test_runner.BaseTestRunner):
50 def __init__(self, test_options, device, test_package):
51 """Single test suite attached to a single device.
52
53 Args:
54 test_options: A GTestOptions object.
55 device: Device to run the tests.
56 test_package: An instance of TestPackage class.
57 """
58
59 super(TestRunner, self).__init__(device, test_options.tool)
60
61 self.test_package = test_package
62 self.test_package.tool = self.tool
63 self._test_arguments = test_options.test_arguments
64
65 timeout = test_options.timeout
66 if timeout == 0:
67 timeout = 60
68 # On a VM (e.g. chromium buildbots), this timeout is way too small.
69 if os.environ.get('BUILDBOT_SLAVENAME'):
70 timeout = timeout * 2
71
72 self._timeout = min(timeout * self.tool.GetTimeoutScale(),
73 _INFRA_STDOUT_TIMEOUT)
74 if _TestSuiteRequiresHighPerfMode(self.test_package.suite_name):
75 self._perf_controller = perf_control.PerfControl(self.device)
76
77 if _TestSuiteRequiresMockTestServer(self.test_package.suite_name):
78 self._servers = [
79 local_test_server_spawner.LocalTestServerSpawner(
80 ports.AllocateTestServerPort(), self.device, self.tool)]
81 else:
82 self._servers = []
83
84 if test_options.app_data_files:
85 self._app_data_files = test_options.app_data_files
86 if test_options.app_data_file_dir:
87 self._app_data_file_dir = test_options.app_data_file_dir
88 else:
89 self._app_data_file_dir = tempfile.mkdtemp()
90 logging.critical('Saving app files to %s', self._app_data_file_dir)
91 else:
92 self._app_data_files = None
93 self._app_data_file_dir = None
94
95 #override
96 def InstallTestPackage(self):
97 self.test_package.Install(self.device)
98
99 def _ParseTestOutput(self, p):
100 """Process the test output.
101
102 Args:
103 p: An instance of pexpect spawn class.
104
105 Returns:
106 A TestRunResults object.
107 """
108 results = base_test_result.TestRunResults()
109
110 log = ''
111 try:
112 while True:
113 full_test_name = None
114
115 found = p.expect([RE_RUN, RE_PASSED, RE_RUNNER_FAIL],
116 timeout=self._timeout)
117 if found == 1: # RE_PASSED
118 break
119 elif found == 2: # RE_RUNNER_FAIL
120 break
121 else: # RE_RUN
122 full_test_name = p.match.group(1).replace('\r', '')
123 found = p.expect([RE_OK, RE_FAIL, RE_CRASH], timeout=self._timeout)
124 log = p.before.replace('\r', '')
125 if found == 0: # RE_OK
126 if full_test_name == p.match.group(1).replace('\r', ''):
127 duration_ms = int(p.match.group(3)) if p.match.group(3) else 0
128 results.AddResult(base_test_result.BaseTestResult(
129 full_test_name, base_test_result.ResultType.PASS,
130 duration=duration_ms, log=log))
131 elif found == 2: # RE_CRASH
132 results.AddResult(base_test_result.BaseTestResult(
133 full_test_name, base_test_result.ResultType.CRASH,
134 log=log))
135 break
136 else: # RE_FAIL
137 duration_ms = int(p.match.group(3)) if p.match.group(3) else 0
138 results.AddResult(base_test_result.BaseTestResult(
139 full_test_name, base_test_result.ResultType.FAIL,
140 duration=duration_ms, log=log))
141 except pexpect.EOF:
142 logging.error('Test terminated - EOF')
143 # We're here because either the device went offline, or the test harness
144 # crashed without outputting the CRASHED marker (crbug.com/175538).
145 if not self.device.IsOnline():
146 raise device_errors.DeviceUnreachableError(
147 'Device %s went offline.' % str(self.device))
148 if full_test_name:
149 results.AddResult(base_test_result.BaseTestResult(
150 full_test_name, base_test_result.ResultType.CRASH,
151 log=p.before.replace('\r', '')))
152 except pexpect.TIMEOUT:
153 logging.error('Test terminated after %d second timeout.',
154 self._timeout)
155 if full_test_name:
156 results.AddResult(base_test_result.BaseTestResult(
157 full_test_name, base_test_result.ResultType.TIMEOUT,
158 log=p.before.replace('\r', '')))
159 finally:
160 p.close()
161
162 ret_code = self.test_package.GetGTestReturnCode(self.device)
163 if ret_code:
164 logging.critical(
165 'gtest exit code: %d\npexpect.before: %s\npexpect.after: %s',
166 ret_code, p.before, p.after)
167
168 return results
169
170 #override
171 def RunTest(self, test):
172 test_results = base_test_result.TestRunResults()
173 if not test:
174 return test_results, None
175
176 try:
177 self.test_package.ClearApplicationState(self.device)
178 self.test_package.CreateCommandLineFileOnDevice(
179 self.device, test, self._test_arguments)
180 test_results = self._ParseTestOutput(
181 self.test_package.SpawnTestProcess(self.device))
182 if self._app_data_files:
183 self.test_package.PullAppFiles(self.device, self._app_data_files,
184 self._app_data_file_dir)
185 finally:
186 for s in self._servers:
187 s.Reset()
188 # Calculate unknown test results.
189 all_tests = set(test.split(':'))
190 all_tests_ran = set([t.GetName() for t in test_results.GetAll()])
191 unknown_tests = all_tests - all_tests_ran
192 test_results.AddResults(
193 [base_test_result.BaseTestResult(t, base_test_result.ResultType.UNKNOWN)
194 for t in unknown_tests])
195 retry = ':'.join([t.GetName() for t in test_results.GetNotPass()])
196 return test_results, retry
197
198 #override
199 def SetUp(self):
200 """Sets up necessary test enviroment for the test suite."""
201 super(TestRunner, self).SetUp()
202 for s in self._servers:
203 s.SetUp()
204 if _TestSuiteRequiresHighPerfMode(self.test_package.suite_name):
205 self._perf_controller.SetHighPerfMode()
206 self.tool.SetupEnvironment()
207
208 #override
209 def TearDown(self):
210 """Cleans up the test enviroment for the test suite."""
211 for s in self._servers:
212 s.TearDown()
213 if _TestSuiteRequiresHighPerfMode(self.test_package.suite_name):
214 self._perf_controller.SetDefaultPerfMode()
215 self.test_package.ClearApplicationState(self.device)
216 self.tool.CleanUpEnvironment()
217 super(TestRunner, self).TearDown()
OLDNEW
« no previous file with comments | « build/android/pylib/gtest/test_package_exe.py ('k') | build/android/pylib/host_driven/__init__.py » ('j') | no next file with comments »

Powered by Google App Engine
This is Rietveld 408576698