forked from chromium/chromium
-
Notifications
You must be signed in to change notification settings - Fork 1
/
wpr_runner.py
438 lines (350 loc) · 15.8 KB
/
wpr_runner.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
# Copyright 2019 The Chromium Authors
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
"""Test runner for running tests using xcodebuild."""
import glob
import logging
import os
import signal
import shutil
import subprocess
import sys
import gtest_utils
import test_apps
from test_result_util import ResultCollection
import test_runner
import xctest_utils
LOGGER = logging.getLogger(__name__)
class CertPathNotFoundError(test_runner.TestRunnerError):
"""The certificate path was not found."""
def __init__(self, replay_path):
super(CertPathNotFoundError,
self).__init__('Cert path does not exist: %s' % replay_path)
class ReplayPathNotFoundError(test_runner.TestRunnerError):
"""The replay path was not found."""
def __init__(self, replay_path):
super(ReplayPathNotFoundError,
self).__init__('Replay path does not exist: %s' % replay_path)
class WprToolsNotFoundError(test_runner.TestRunnerError):
"""wpr_tools_path is not specified."""
def __init__(self, wpr_tools_path):
super(WprToolsNotFoundError, self).__init__(
'wpr_tools_path is not specified or not found: "%s"' % wpr_tools_path)
class WprProxySimulatorTestRunner(test_runner.SimulatorTestRunner):
"""Class for running simulator tests with WPR against saved website replays"""
def __init__(self, app_path, host_app_path, iossim_path, replay_path,
platform, version, wpr_tools_path, out_dir, **kwargs):
"""Initializes a new instance of this class.
Args:
app_path: Path to the compiled .app or .ipa to run.
host_app_path: A path to the host app for EG2.
iossim_path: Path to the compiled iossim binary to use.
replay_path: Path to the folder where WPR replay and recipe files live.
platform: Name of the platform to simulate. Supported values can be found
by running "iossim -l". e.g. "iPhone 5s", "iPad Retina".
version: Version of iOS the platform should be running. Supported values
can be found by running "iossim -l". e.g. "9.3", "8.2", "7.1".
wpr_tools_path: Path to pre-installed (from CIPD) WPR-related tools
out_dir: Directory to emit test data into.
(Following are potential args in **kwargs)
env_vars: List of environment variables to pass to the test itself.
retries: Number of times to retry failed test cases.
test_args: List of strings to pass as arguments to the test when
launching.
test_cases: List of tests to be included in the test run. None or [] to
include all tests.
xctest: Whether or not this is an XCTest.
Raises:
AppNotFoundError: If the given app does not exist.
ReplayPathNotFoundError: If the replay path was not found.
WprToolsNotFoundError: If wpr_tools_path is not specified.
"""
super(WprProxySimulatorTestRunner,
self).__init__(app_path, iossim_path, platform, version, out_dir,
**kwargs)
self.host_app_path = None
if host_app_path is not None and host_app_path != 'NO_PATH':
self.host_app_path = os.path.abspath(host_app_path)
if not os.path.exists(self.host_app_path):
raise test_runner.AppNotFoundError(self.host_app_path)
self.use_trusted_cert = True
self.test_attempt_count = {}
replay_path = os.path.abspath(replay_path)
if not os.path.exists(replay_path):
raise ReplayPathNotFoundError(replay_path)
self.replay_path = replay_path
if not os.path.exists(wpr_tools_path):
raise WprToolsNotFoundError(wpr_tools_path)
self.wpr_tools_path = wpr_tools_path
self.proxy_process = None
self.wprgo_process = None
def set_up(self):
"""Performs setup actions which must occur prior to every test launch."""
super(WprProxySimulatorTestRunner, self).set_up()
self.proxy_start()
def tear_down(self):
"""Performs cleanup actions which must occur after every test launch."""
super(WprProxySimulatorTestRunner, self).tear_down()
self.proxy_stop()
self.wprgo_stop()
def get_wpr_test_command(self, recipe_path, test_name):
"""Creates xcodebuild commands for running a wpr test per recipe_path.
Args:
recipe_path: (str) Path to wpr recipe file.
test_name: (str) Test name(format: ios_website) of this wpr test.
Returns:
Xcodebuild command to run in the format of a list of str.
"""
wpr_test_args = [
'--enable-features=AutofillShowTypePredictions',
'-autofillautomation=%s' % recipe_path,
]
wpr_egtests_app = test_apps.EgtestsApp(
self.app_path,
included_tests=["AutofillAutomationTestCase"],
env_vars=self.env_vars,
test_args=wpr_test_args,
host_app_path=self.host_app_path)
self.test_attempt_count[test_name] = self.test_attempt_count.get(
test_name, 0) + 1
destination = 'platform=iOS Simulator,OS=%s,name=%s' % (self.version,
self.platform)
destination_folder = '%s %s %s attempt#%s' % (
self.version, self.platform, test_name,
self.test_attempt_count[test_name])
out_dir = os.path.join(self.out_dir, destination_folder)
return wpr_egtests_app.command(out_dir, destination, self.clones)
def get_launch_env(self):
"""Returns a dict of environment variables to use to launch the test app.
Returns:
A dict of environment variables.
"""
env = super(test_runner.SimulatorTestRunner, self).get_launch_env()
env['NSUnbufferedIO'] = 'YES'
return env
def run_wpr_test(self, udid, test_name, recipe_path, replay_path):
"""Runs a single WPR test.
Args:
udid: UDID for the simulator to run the test on
test_name: Test name(format: ios_website) of this wpr test.
recipe_path: Path to the recipe file (i.e. ios_costco.test)
replay_path: Path to the replay file (i.e. ios_costco)
Returns
[parser, return code from test] where
parser: a XCTest or GTestLogParser which has processed all
the output from the test
"""
LOGGER.info('Running test for recipe %s', recipe_path)
self.wprgo_start(replay_path)
# TODO(crbug.com/881096): Consider reusing get_launch_command
# and adding the autofillautomation flag to it
# TODO(crbug.com/881096): We only run AutofillAutomationTestCase
# as we have other unit tests in the suite which are not related
# to testing website recipe/replays. We should consider moving
# one or the other to a different suite.
# For the website replay test suite, we need to pass in a single
# recipe at a time, with flags "autofillautomation={recipe_path}",
# "--enable-features=AutofillShowTypePredictions". The args are written in
# xctestrun file, which is produced through EgtestsApp and LaunchCommand
# defined in xcodebuild_runner.
wpr_test_cmd = self.get_wpr_test_command(recipe_path, test_name)
proc = self.start_proc(wpr_test_cmd)
old_handler = self.set_sigterm_handler(
lambda _signum, _frame: self.handle_sigterm(proc))
if self.xctest_path:
parser = xctest_utils.XCTestLogParser()
else:
parser = gtest_utils.GTestLogParser()
test_runner.print_process_output(proc, 'xcodebuild', parser,
self.readline_timeout)
proc.wait()
self.set_sigterm_handler(old_handler)
sys.stdout.flush()
self.wprgo_stop()
return parser, proc.returncode
def should_run_wpr_test(self, recipe_name, test_filter, invert):
"""Returns whether the WPR test should be run, given the filters.
Args:
recipe_name: Filename of the recipe to run (i.e. 'ios_costco')
test_filter: List of tests to run. If recipe_name is found as
a substring of any of these, then the filter is matched.
invert: If true, run tests that are not matched by the filter.
Returns:
True if the test should be run.
"""
# If the matching replay for the recipe doesn't exist, don't run it
replay_path = '{}/{}'.format(self.replay_path, recipe_name)
if not os.path.isfile(replay_path):
LOGGER.error('No matching replay file for recipe %s', recipe_name)
return False
# if there is no filter, then run tests
if not test_filter:
return True
test_matched_filter = False
for filter_name in test_filter:
if recipe_name in filter_name:
test_matched_filter = True
return test_matched_filter != invert
def copy_trusted_certificate(self, udid):
"""Copies a root HTTPS cert into a simulator.
This allows the simulators to access HTTPS webpages served through WprGo.
Args:
udid: String of UDID of the simulator to install the trusted certificate
into.
Raises:
WprToolsNotFoundError: If wpr_tools_path is not specified.
"""
if not os.path.exists(self.wpr_tools_path):
raise WprToolsNotFoundError(self.wpr_tools_path)
cert_path = "{}/web_page_replay_go/wpr_cert.pem".format(self.wpr_tools_path)
if not os.path.exists(cert_path):
raise CertPathNotFoundError(cert_path)
LOGGER.info('Copying root cert into %s', udid)
subprocess.check_call(['xcrun', 'simctl', 'boot', udid])
subprocess.check_call(
['xcrun', 'simctl', 'keychain', udid, 'add-root-cert', cert_path])
subprocess.check_call(['xcrun', 'simctl', 'shutdown', udid])
def _run(self, cmd, clones=1):
"""Runs the specified command, parsing GTest output.
Args:
cmd: List of strings forming the command to run.
NOTE: in the case of WprProxySimulatorTestRunner, cmd
is a dict forming the configuration for the test (including
filter rules), and not indicative of the actual command
we build and execute in _run.
Returns:
TestResult.ResultCollection() object.
Raises:
ParallelSimDisabledError: If clones > 1 as currently parallel simulators
are not supported.
SystemAlertPresentError: If system alert is shown on the device.
"""
overall_result = ResultCollection()
if clones > 1:
# TODO(crbug.com/881096): reimplement parallel simulators in the future
raise test_runner.ParallelSimDisabledError()
# TODO(crbug.com/812705): Implement test parallel simulators for unit tests.
# TODO(crbug.com/812712): Use thread pool for DeviceTestRunner as well.
# Create a simulator for these tests, and prepare it with the
# certificate needed for HTTPS proxying.
udid = self.getSimulator()
self.copy_trusted_certificate(udid)
for recipe_path in glob.glob('{}/*.test'.format(self.replay_path)):
base_name = os.path.basename(recipe_path)
test_name = os.path.splitext(base_name)[0]
replay_path = '{}/{}'.format(self.replay_path, test_name)
if self.should_run_wpr_test(test_name, cmd['test_filter'], cmd['invert']):
parser, returncode = self.run_wpr_test(udid, test_name, recipe_path,
replay_path)
recipe_result = parser.GetResultCollection()
# If this test fails, immediately rerun it to see if it deflakes.
# We simply overwrite the first result with the second.
if recipe_result.never_expected_tests():
parser, returncode = self.run_wpr_test(udid, test_name, recipe_path,
replay_path)
recipe_result = parser.GetResultCollection()
# All test names will be the same since we re-run the same suite;
# therefore, to differentiate the results, we append the recipe
# name to the test suite.
recipe_result.add_name_prefix_to_tests(base_name + '.')
overall_result.add_result_collection(recipe_result)
# Check for runtime errors.
if self.xctest_path and parser.SystemAlertPresent():
raise test_runner.SystemAlertPresentError()
LOGGER.info('%s test returned %s\n', recipe_path, returncode)
self.deleteSimulator(udid)
return overall_result
def get_launch_command(self,
test_app=None,
out_dir=None,
destination=None,
clones=1):
"""Returns a config dict for the test, instead of the real launch command.
Normally this is passed into _run as the command it should use, but since
the WPR runner builds its own cmd, we use this to configure the function.
Args:
test_app: A test app needed to run.
out_dir: (str) A path for results.
destination: (str) A destination of device/simulator.
clones: (int) How many simulator clones the tests should be divided over.
Returns:
A dict forming the configuration for the test.
"""
test_config = {}
test_config['invert'] = False
test_config['test_filter'] = []
if test_app:
if test_app.included_tests:
test_config['test_filter'] = test_app.included_tests
elif test_app.excluded_tests:
test_config['invert'] = True
test_config['test_filter'] = test_app.excluded_tests
return test_config
def get_launch_test_app(self):
"""Returns the proper test_app for the run.
Returns:
This runner disregards xcode, and returns an implementation of GTestsApp
"""
return test_apps.GTestsApp(
self.app_path,
included_tests=self.test_cases,
env_vars=self.env_vars,
test_args=self.test_args)
def proxy_start(self):
"""Starts tsproxy and routes the machine's traffic through tsproxy."""
# Stops any straggling instances of WPRgo that may hog ports 8080/8081
subprocess.check_call('lsof -ti:8080 | xargs kill -9', shell=True)
subprocess.check_call('lsof -ti:8081| xargs kill -9', shell=True)
# We route all network adapters through the proxy, since it is easier than
# determining which network adapter is being used currently.
network_services = subprocess.check_output(
['networksetup',
'-listallnetworkservices']).decode('utf-8').strip().split('\n')
if len(network_services) > 1:
# We ignore the first line as it is a description of the command's output.
network_services = network_services[1:]
for service in network_services:
# Skip disabled services on setup (denoted by leading '*')
if service.startswith('*'):
continue
subprocess.check_call(
['networksetup', '-setsocksfirewallproxystate', service, 'on'])
subprocess.check_call([
'networksetup', '-setsocksfirewallproxy', service, '127.0.0.1',
'1080'
])
LOGGER.info('Added SOCKS proxy for service: %s.', service)
self.proxy_process = subprocess.Popen(
[
'python', 'tsproxy.py', '--port=1080', '--desthost=127.0.0.1',
'--mapports=443:8081,*:8080'
],
cwd='{}/tsproxy'.format(self.wpr_tools_path),
env=self.get_launch_env(),
stdout=open(os.path.join(self.out_dir, 'stdout_proxy.txt'), 'wb+'),
stderr=subprocess.STDOUT,
)
def proxy_stop(self):
"""Stops tsproxy and disables the machine's proxy settings."""
if self.proxy_process is not None:
os.kill(self.proxy_process.pid, signal.SIGINT)
self.remove_proxy_settings()
def wprgo_start(self, replay_path):
"""Starts WprGo serving the specified replay file.
Args:
replay_path: Path to the WprGo website replay to use.
"""
self.wprgo_process = subprocess.Popen(
[
'./wpr', 'replay', '--http_port=8080', '--https_port=8081',
replay_path
],
cwd='{}/web_page_replay_go/'.format(self.wpr_tools_path),
env=self.get_launch_env(),
stdout=open(os.path.join(self.out_dir, 'stdout_wprgo.txt'), 'wb+'),
stderr=subprocess.STDOUT,
)
def wprgo_stop(self):
"""Stops serving website replays using WprGo."""
if self.wprgo_process is not None:
os.kill(self.wprgo_process.pid, signal.SIGINT)