2 # Copyright (c) 2013 The Chromium Authors. All rights reserved.
3 # Use of this source code is governed by a BSD-style license that can be
4 # found in the LICENSE file.
6 """Run Performance Test Bisect Tool
8 This script is used by a trybot to run the src/tools/bisect-perf-regression.py
9 script with the parameters specified in run-bisect-perf-regression.cfg. It will
10 check out a copy of the depot in a subdirectory 'bisect' of the working
11 directory provided, and run the bisect-perf-regression.py script there.
23 bisect
= imp
.load_source('bisect-perf-regression',
24 os
.path
.join(os
.path
.abspath(os
.path
.dirname(sys
.argv
[0])),
25 'bisect-perf-regression.py'))
28 CROS_BOARD_ENV
= 'BISECT_CROS_BOARD'
29 CROS_IP_ENV
= 'BISECT_CROS_IP'
34 def __init__(self
, path_to_goma
):
35 self
._abs
_path
_to
_goma
= None
36 self
._abs
_path
_to
_goma
_file
= None
38 self
._abs
_path
_to
_goma
= os
.path
.abspath(path_to_goma
)
39 self
._abs
_path
_to
_goma
_file
= self
._GetExecutablePath
(
40 self
._abs
_path
_to
_goma
)
43 if self
._HasGOMAPath
():
47 def __exit__(self
, *_
):
48 if self
._HasGOMAPath
():
51 def _HasGOMAPath(self
):
52 return bool(self
._abs
_path
_to
_goma
)
54 def _GetExecutablePath(self
, path_to_goma
):
56 return os
.path
.join(path_to_goma
, 'goma_ctl.bat')
58 return os
.path
.join(path_to_goma
, 'goma_ctl.sh')
60 def _SetupEnvVars(self
):
62 os
.environ
['CC'] = (os
.path
.join(self
._abs
_path
_to
_goma
, 'gomacc.exe') +
64 os
.environ
['CXX'] = (os
.path
.join(self
._abs
_path
_to
_goma
, 'gomacc.exe') +
67 os
.environ
['PATH'] = os
.pathsep
.join([self
._abs
_path
_to
_goma
,
70 def _SetupAndStart(self
):
71 """Sets up GOMA and launches it.
74 path_to_goma: Path to goma directory.
77 True if successful."""
80 # Sometimes goma is lingering around if something went bad on a previous
81 # run. Stop it before starting a new process. Can ignore the return code
82 # since it will return an error if it wasn't running.
85 if subprocess
.call([self
._abs
_path
_to
_goma
_file
, 'start']):
86 raise RuntimeError('GOMA failed to start.')
89 subprocess
.call([self
._abs
_path
_to
_goma
_file
, 'stop'])
93 def _LoadConfigFile(path_to_file
):
94 """Attempts to load the specified config file as a module
95 and grab the global config dict.
98 path_to_file: Path to the file.
101 The config dict which should be formatted as follows:
102 {'command': string, 'good_revision': string, 'bad_revision': string
103 'metric': string, etc...}.
104 Returns None on failure.
108 execfile(path_to_file
, local_vars
)
110 return local_vars
['config']
113 traceback
.print_exc()
118 def _ValidateConfigFile(config_contents
, valid_parameters
):
119 """Validates the config file contents, checking whether all values are
123 config_contents: Contents of the config file passed from _LoadConfigFile.
124 valid_parameters: A list of parameters to check for.
130 [config_contents
[current_parameter
]
131 for current_parameter
in valid_parameters
]
132 config_has_values
= [v
and type(v
) is str
133 for v
in config_contents
.values() if v
]
134 return config_has_values
139 def _ValidatePerfConfigFile(config_contents
):
140 """Validates that the perf config file contents. This is used when we're
141 doing a perf try job, rather than a bisect. The file is called
142 run-perf-test.cfg by default.
144 The parameters checked are the required parameters; any additional optional
145 parameters won't be checked and validation will still pass.
148 config_contents: Contents of the config file passed from _LoadConfigFile.
153 valid_parameters
= ['command', 'metric', 'repeat_count', 'truncate_percent',
155 return _ValidateConfigFile(config_contents
, valid_parameters
)
158 def _ValidateBisectConfigFile(config_contents
):
159 """Validates that the bisect config file contents. The parameters checked are
160 the required parameters; any additional optional parameters won't be checked
161 and validation will still pass.
164 config_contents: Contents of the config file passed from _LoadConfigFile.
169 valid_params
= ['command', 'good_revision', 'bad_revision', 'metric',
170 'repeat_count', 'truncate_percent', 'max_time_minutes']
171 return _ValidateConfigFile(config_contents
, valid_params
)
174 def _OutputFailedResults(text_to_print
):
175 bisect_utils
.OutputAnnotationStepStart('Results - Failed')
179 bisect_utils
.OutputAnnotationStepClosed()
182 def _CreateBisectOptionsFromConfig(config
):
184 opts_dict
['command'] = config
['command']
185 opts_dict
['metric'] = config
['metric']
187 if config
['repeat_count']:
188 opts_dict
['repeat_test_count'] = int(config
['repeat_count'])
190 if config
['truncate_percent']:
191 opts_dict
['truncate_percent'] = int(config
['truncate_percent'])
193 if config
['max_time_minutes']:
194 opts_dict
['max_time_minutes'] = int(config
['max_time_minutes'])
196 if config
.has_key('use_goma'):
197 opts_dict
['use_goma'] = config
['use_goma']
199 opts_dict
['build_preference'] = 'ninja'
200 opts_dict
['output_buildbot_annotations'] = True
202 if '--browser=cros' in config
['command']:
203 opts_dict
['target_platform'] = 'cros'
205 if os
.environ
[CROS_BOARD_ENV
] and os
.environ
[CROS_IP_ENV
]:
206 opts_dict
['cros_board'] = os
.environ
[CROS_BOARD_ENV
]
207 opts_dict
['cros_remote_ip'] = os
.environ
[CROS_IP_ENV
]
209 raise RuntimeError('Cros build selected, but BISECT_CROS_IP or'
210 'BISECT_CROS_BOARD undefined.')
211 elif 'android' in config
['command']:
212 if 'android-chrome' in config
['command']:
213 opts_dict
['target_platform'] = 'android-chrome'
215 opts_dict
['target_platform'] = 'android'
217 return bisect
.BisectOptions
.FromDict(opts_dict
)
220 def _RunPerformanceTest(config
, path_to_file
):
221 # Bisect script expects to be run from src
222 os
.chdir(os
.path
.join(path_to_file
, '..'))
224 bisect_utils
.OutputAnnotationStepStart('Building With Patch')
226 opts
= _CreateBisectOptionsFromConfig(config
)
227 b
= bisect
.BisectPerformanceMetrics(None, opts
)
229 if bisect_utils
.RunGClient(['runhooks']):
230 raise RuntimeError('Failed to run gclient runhooks')
232 if not b
.BuildCurrentRevision('chromium'):
233 raise RuntimeError('Patched version failed to build.')
235 bisect_utils
.OutputAnnotationStepClosed()
236 bisect_utils
.OutputAnnotationStepStart('Running With Patch')
238 results_with_patch
= b
.RunPerformanceTestAndParseResults(
239 opts
.command
, opts
.metric
, reset_on_first_run
=True, results_label
='Patch')
241 if results_with_patch
[1]:
242 raise RuntimeError('Patched version failed to run performance test.')
244 bisect_utils
.OutputAnnotationStepClosed()
246 bisect_utils
.OutputAnnotationStepStart('Reverting Patch')
247 if bisect_utils
.RunGClient(['revert']):
248 raise RuntimeError('Failed to run gclient runhooks')
249 bisect_utils
.OutputAnnotationStepClosed()
251 bisect_utils
.OutputAnnotationStepStart('Building Without Patch')
253 if bisect_utils
.RunGClient(['runhooks']):
254 raise RuntimeError('Failed to run gclient runhooks')
256 if not b
.BuildCurrentRevision('chromium'):
257 raise RuntimeError('Unpatched version failed to build.')
259 bisect_utils
.OutputAnnotationStepClosed()
260 bisect_utils
.OutputAnnotationStepStart('Running Without Patch')
262 results_without_patch
= b
.RunPerformanceTestAndParseResults(
263 opts
.command
, opts
.metric
, upload_on_last_run
=True, results_label
='ToT')
265 if results_without_patch
[1]:
266 raise RuntimeError('Unpatched version failed to run performance test.')
268 # Find the link to the cloud stored results file.
269 output
= results_without_patch
[2]
270 cloud_file_link
= [t
for t
in output
.splitlines()
271 if 'storage.googleapis.com/chromium-telemetry/html-results/' in t
]
273 # What we're getting here is basically "View online at http://..." so parse
274 # out just the url portion.
275 cloud_file_link
= cloud_file_link
[0]
276 cloud_file_link
= [t
for t
in cloud_file_link
.split(' ')
277 if 'storage.googleapis.com/chromium-telemetry/html-results/' in t
]
278 assert cloud_file_link
, "Couldn't parse url from output."
279 cloud_file_link
= cloud_file_link
[0]
283 # Calculate the % difference in the means of the 2 runs.
284 percent_diff_in_means
= (results_with_patch
[0]['mean'] /
285 max(0.0001, results_without_patch
[0]['mean'])) * 100.0 - 100.0
286 std_err
= bisect
.CalculatePooledStandardError(
287 [results_with_patch
[0]['values'], results_without_patch
[0]['values']])
289 bisect_utils
.OutputAnnotationStepClosed()
290 bisect_utils
.OutputAnnotationStepStart('Results - %.02f +- %0.02f delta' %
291 (percent_diff_in_means
, std_err
))
292 print ' %s %s %s' % (''.center(10, ' '), 'Mean'.center(20, ' '),
293 'Std. Error'.center(20, ' '))
294 print ' %s %s %s' % ('Patch'.center(10, ' '),
295 ('%.02f' % results_with_patch
[0]['mean']).center(20, ' '),
296 ('%.02f' % results_with_patch
[0]['std_err']).center(20, ' '))
297 print ' %s %s %s' % ('No Patch'.center(10, ' '),
298 ('%.02f' % results_without_patch
[0]['mean']).center(20, ' '),
299 ('%.02f' % results_without_patch
[0]['std_err']).center(20, ' '))
301 bisect_utils
.OutputAnnotationStepLink('HTML Results', cloud_file_link
)
302 bisect_utils
.OutputAnnotationStepClosed()
305 def _SetupAndRunPerformanceTest(config
, path_to_file
, path_to_goma
):
306 """Attempts to build and run the current revision with and without the
307 current patch, with the parameters passed in.
310 config: The config read from run-perf-test.cfg.
311 path_to_file: Path to the bisect-perf-regression.py script.
312 path_to_goma: Path to goma directory.
315 0 on success, otherwise 1.
318 with
Goma(path_to_goma
) as goma
:
319 config
['use_goma'] = bool(path_to_goma
)
320 _RunPerformanceTest(config
, path_to_file
)
322 except RuntimeError, e
:
323 bisect_utils
.OutputAnnotationStepClosed()
324 _OutputFailedResults('Error: %s' % e
.message
)
328 def _RunBisectionScript(config
, working_directory
, path_to_file
, path_to_goma
,
329 path_to_extra_src
, dry_run
):
330 """Attempts to execute src/tools/bisect-perf-regression.py with the parameters
334 config: A dict containing the parameters to pass to the script.
335 working_directory: A working directory to provide to the
336 bisect-perf-regression.py script, where it will store it's own copy of
338 path_to_file: Path to the bisect-perf-regression.py script.
339 path_to_goma: Path to goma directory.
340 path_to_extra_src: Path to extra source file.
341 dry_run: Do a dry run, skipping sync, build, and performance testing steps.
344 0 on success, otherwise 1.
346 bisect_utils
.OutputAnnotationStepStart('Config')
348 for k
, v
in config
.iteritems():
349 print ' %s : %s' % (k
, v
)
351 bisect_utils
.OutputAnnotationStepClosed()
353 cmd
= ['python', os
.path
.join(path_to_file
, 'bisect-perf-regression.py'),
354 '-c', config
['command'],
355 '-g', config
['good_revision'],
356 '-b', config
['bad_revision'],
357 '-m', config
['metric'],
358 '--working_directory', working_directory
,
359 '--output_buildbot_annotations']
361 if config
['repeat_count']:
362 cmd
.extend(['-r', config
['repeat_count']])
364 if config
['truncate_percent']:
365 cmd
.extend(['-t', config
['truncate_percent']])
367 if config
['max_time_minutes']:
368 cmd
.extend(['--max_time_minutes', config
['max_time_minutes']])
370 cmd
.extend(['--build_preference', 'ninja'])
372 if '--browser=cros' in config
['command']:
373 cmd
.extend(['--target_platform', 'cros'])
375 if os
.environ
[CROS_BOARD_ENV
] and os
.environ
[CROS_IP_ENV
]:
376 cmd
.extend(['--cros_board', os
.environ
[CROS_BOARD_ENV
]])
377 cmd
.extend(['--cros_remote_ip', os
.environ
[CROS_IP_ENV
]])
379 print 'Error: Cros build selected, but BISECT_CROS_IP or'\
380 'BISECT_CROS_BOARD undefined.'
384 if 'android' in config
['command']:
385 if 'android-chrome' in config
['command']:
386 cmd
.extend(['--target_platform', 'android-chrome'])
388 cmd
.extend(['--target_platform', 'android'])
391 cmd
.append('--use_goma')
393 if path_to_extra_src
:
394 cmd
.extend(['--extra_src', path_to_extra_src
])
397 cmd
.extend(['--debug_ignore_build', '--debug_ignore_sync',
398 '--debug_ignore_perf_test'])
399 cmd
= [str(c
) for c
in cmd
]
401 with
Goma(path_to_goma
) as goma
:
402 return_code
= subprocess
.call(cmd
)
405 print 'Error: bisect-perf-regression.py returned with error %d' %\
414 usage
= ('%prog [options] [-- chromium-options]\n'
415 'Used by a trybot to run the bisection script using the parameters'
416 ' provided in the run-bisect-perf-regression.cfg file.')
418 parser
= optparse
.OptionParser(usage
=usage
)
419 parser
.add_option('-w', '--working_directory',
421 help='A working directory to supply to the bisection '
422 'script, which will use it as the location to checkout '
423 'a copy of the chromium depot.')
424 parser
.add_option('-p', '--path_to_goma',
426 help='Path to goma directory. If this is supplied, goma '
427 'builds will be enabled.')
428 parser
.add_option('--path_to_config',
430 help='Path to the config file to use. If this is supplied, '
431 'the bisect script will use this to override the default '
432 'config file path. The script will attempt to load it '
433 'as a bisect config first, then a perf config.')
434 parser
.add_option('--extra_src',
436 help='Path to extra source file. If this is supplied, '
437 'bisect script will use this to override default behavior.')
438 parser
.add_option('--dry_run',
440 help='The script will perform the full bisect, but '
441 'without syncing, building, or running the performance '
443 (opts
, args
) = parser
.parse_args()
445 path_to_current_directory
= os
.path
.abspath(os
.path
.dirname(sys
.argv
[0]))
447 # If they've specified their own config file, use that instead.
448 if opts
.path_to_config
:
449 path_to_bisect_cfg
= opts
.path_to_config
451 path_to_bisect_cfg
= os
.path
.join(path_to_current_directory
,
452 'run-bisect-perf-regression.cfg')
454 config
= _LoadConfigFile(path_to_bisect_cfg
)
456 # Check if the config is valid.
457 config_is_valid
= _ValidateBisectConfigFile(config
)
459 if config
and config_is_valid
:
460 if not opts
.working_directory
:
461 print 'Error: missing required parameter: --working_directory'
466 return _RunBisectionScript(config
, opts
.working_directory
,
467 path_to_current_directory
, opts
.path_to_goma
, opts
.extra_src
,
470 perf_cfg_files
= ['run-perf-test.cfg', os
.path
.join('..', 'third_party',
471 'WebKit', 'Tools', 'run-perf-test.cfg')]
473 for current_perf_cfg_file
in perf_cfg_files
:
474 if opts
.path_to_config
:
475 path_to_perf_cfg
= opts
.path_to_config
477 path_to_perf_cfg
= os
.path
.join(
478 os
.path
.abspath(os
.path
.dirname(sys
.argv
[0])),
479 current_perf_cfg_file
)
481 config
= _LoadConfigFile(path_to_perf_cfg
)
482 config_is_valid
= _ValidatePerfConfigFile(config
)
484 if config
and config_is_valid
:
485 return _SetupAndRunPerformanceTest(config
, path_to_current_directory
,
488 print 'Error: Could not load config file. Double check your changes to '\
489 'run-bisect-perf-regression.cfg/run-perf-test.cfg for syntax errors.'
494 if __name__
== '__main__':