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
|
#!/usr/bin/env vpython3
# Copyright 2018 The Chromium Authors
# 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 collections
import filecmp
import json
import multiprocessing
import os
import shutil
import sys
import tempfile
import textwrap
import six
from six.moves import input # pylint: disable=redefined-builtin
import cross_device_test_config
from core import path_util
path_util.AddTelemetryToPath()
from core import bot_platforms
from core import retrieve_story_timing
from core import sharding_map_generator
_SCRIPT_USAGE = """
Generate sharding maps for Telemetry benchmarks.
Every performance benchmark should be run on a same machine as long as possible
to preserve high fidelity of data monitoring. Hence in order to shard the
Telemetry benchmarks on multiple machines, we generate a JSON map that
specifies how benchmarks should be distributed on machines. There is one
sharding JSON map for every builder in the perf & perf.fyi waterfalls which are
specified by PerfPlatform classes in //tools/perf/core/bot_platforms.py.
Generating these JSON maps depends on how many Telemetry benchmarks
actually exist at the time. Because of this, CLs to generate the JSON maps
should never be automatically reverted, since the reverted state of the JSON map
files may not match with the true state of world.
"""
def GetParser():
parser = argparse.ArgumentParser(
description=_SCRIPT_USAGE, formatter_class=argparse.RawTextHelpFormatter)
if six.PY2:
subparsers = parser.add_subparsers()
else:
# Python 3 needs required=True in order to issue an error when subcommand is
# missing. Without metavar, argparse would crash while issuing error (bug?).
subparsers = parser.add_subparsers(
required=True, metavar='{update,update-timing,deschedule,validate}')
parser_update = subparsers.add_parser(
'update',
help='Update the shard maps.')
parser_update.add_argument(
'--use-existing-timing-data', '-o', action='store_true',
help=('Whether to reuse existing builder timing data (stored in '
'//tools/perf/core/shard_maps/timing_data/) and skip the step of '
'fetching the most recent timing data from test results server. '
'This flag is default to False. One typically uses this option '
'when they need to fix the timing data to debug sharding '
'generation.'),
default=False)
_AddBuilderPlatformSelectionArgs(parser_update)
parser.add_argument(
'--debug', action='store_true',
help=('Whether to include detailed debug info of the sharding map in the '
'shard maps.'), default=False)
parser_update.set_defaults(func=_UpdateShardsForBuilders)
parser_update_timing = subparsers.add_parser(
'update-timing',
help='Update the timing data that is used to create the shard maps, '
'but don\'t update the shard maps themselves.')
_AddBuilderPlatformSelectionArgs(parser_update_timing)
parser_update_timing.add_argument(
'--filter-only', action='store_true',
help='Do not grab new data from bigquery but instead simply filter '
'the existing data to reflect some change in the benchmark (for example '
'if the benchmark was switched to abridged mode on some platform or if '
'a story was removed from the benchmark.)')
parser_update_timing.set_defaults(func=_UpdateTimingDataCommand)
parser_deschedule = subparsers.add_parser(
'deschedule',
help=('After you deschedule one or more '
'benchmarks by deleting from tools/perf/benchmarks or by editing '
'bot_platforms.py, use this script to deschedule the '
'benchmark(s) without impacting the sharding for other benchmarks.'
))
parser_deschedule.set_defaults(func=_DescheduleBenchmark)
parser_validate = subparsers.add_parser(
'validate',
help=('Validate that the shard maps match up with the benchmarks and '
'bot_platforms.py.'))
parser_validate.set_defaults(func=_ValidateShardMaps)
return parser
def _AddBuilderPlatformSelectionArgs(parser):
builder_selection = parser.add_mutually_exclusive_group()
builder_selection.add_argument(
'--builders', '-b', action='append',
help=('The builder names to use.'), default=[],
choices=bot_platforms.ALL_PLATFORM_NAMES)
builder_selection.add_argument(
'--waterfall', '-w', choices=['perf', 'perf-fyi', 'all'], default=None,
help=('The name of waterfall whose builders should be used. If not '
'specified, use all perf builders by default'))
def _DumpJson(data, output_path):
with open(output_path, 'w',
newline='') if sys.version_info.major == 3 else open(
output_path, 'wb') as output_file:
json.dump(data, output_file, indent=4, separators=(',', ': '))
output_file.write('\n')
def _LoadTimingData(args):
builder, timing_file_path = args
data = retrieve_story_timing.FetchAverageStoryTimingData(
configurations=[builder.name], num_last_days=5)
for executable in builder.executables:
data.append({
'duration': str(float(executable.estimated_runtime)),
'name': executable.name + '/' + bot_platforms.GTEST_STORY_NAME
})
_DumpJson(data, timing_file_path)
print('Finished retrieving story timing data for %s' % repr(builder.name))
def _source_filepath(posix_path):
return os.path.join(path_util.GetChromiumSrcDir(), *posix_path.split('/'))
def GenerateShardMap(builder, num_of_shards, debug=False):
timing_data = []
if builder:
with open(builder.timing_file_path) as f:
timing_data = json.load(f)
benchmarks_to_shard = (list(builder.benchmark_configs) +
list(builder.executables) + list(builder.crossbench))
repeat_config = cross_device_test_config.TARGET_DEVICES.get(builder.name, {})
sharding_map = sharding_map_generator.generate_sharding_map(
benchmarks_to_shard,
timing_data,
num_shards=num_of_shards,
debug=debug,
repeat_config=repeat_config)
return sharding_map
def _GenerateShardMapJson(builder, num_of_shards, output_path, debug):
sharding_map = GenerateShardMap(builder, num_of_shards, debug)
_DumpJson(sharding_map, output_path)
def _PromptWarning():
message = ('This will regenerate the sharding maps for perf benchmarks. '
'Note that this will shuffle all the benchmarks on the shards, '
'which can cause false regressions. In general this operation '
'should only be done when the shards are too unbalanced or when '
'benchmarks are added/removed. '
'In addition, this is a tricky operation and should '
'always be reviewed by Benchmarking '
'team members. Upon landing the CL to update the shard maps, '
'please notify Chromium perf sheriffs in '
'perf-sheriffs@chromium.org and put a warning about expected '
'false regressions in your CL '
'description')
print(textwrap.fill(message, 70), '\n')
answer = input("Enter 'y' to continue: ")
if answer != 'y':
print('Abort updating shard maps for benchmarks on perf waterfall')
sys.exit(0)
def _UpdateTimingDataCommand(args):
builders = _GetBuilderPlatforms(args.builders, args.waterfall)
if not args.filter_only:
_UpdateTimingData(builders)
for builder in builders:
_FilterTimingData(builder)
def _FilterTimingData(builder, output_path=None):
output_path = output_path or builder.timing_file_path
with open(builder.timing_file_path) as f:
timing_dataset = json.load(f)
story_full_names = set()
for benchmark_config in builder.benchmark_configs:
for story in benchmark_config.exhaustive_stories:
story_full_names.add('/'.join([benchmark_config.name, story]))
# When benchmarks are abridged or stories are removed, we want that
# to be reflected in the timing data right away.
executable_story_names = [e.name + '/' + bot_platforms.GTEST_STORY_NAME
for e in builder.executables]
timing_dataset = [point for point in timing_dataset
if (str(point['name']) in story_full_names or
str(point['name']) in executable_story_names)]
_DumpJson(timing_dataset, output_path)
def _UpdateTimingData(builders):
print('Updating shards timing data. May take a while...')
load_timing_args = []
for b in builders:
load_timing_args.append((b, b.timing_file_path))
p = multiprocessing.Pool(len(load_timing_args))
# Use map_async to work around python bug. See crbug.com/1026004.
p.map_async(_LoadTimingData, load_timing_args).get(12*60*60)
def _GetBuilderPlatforms(builders, waterfall):
"""Get a list of PerfBuilder objects for the given builders or waterfall.
Otherwise, just return all platforms.
"""
if builders:
return {b for b in bot_platforms.ALL_PLATFORMS if b.name in
builders}
if waterfall == 'perf':
platforms = bot_platforms.OFFICIAL_PLATFORMS
elif waterfall == 'perf-fyi':
platforms = bot_platforms.FYI_PLATFORMS
else:
platforms = bot_platforms.ALL_PLATFORMS
return {p for p in platforms if not p.pinpoint_only}
def _UpdateShardsForBuilders(args):
_PromptWarning()
builders = _GetBuilderPlatforms(args.builders, args.waterfall)
if not args.use_existing_timing_data:
_UpdateTimingData(builders)
for b in builders:
_GenerateShardMapJson(b, b.num_shards, b.shards_map_file_path, args.debug)
print('Updated sharding map for %s' % repr(b.name))
def _DescheduleBenchmark(args):
"""Remove benchmarks from the shard maps without re-sharding."""
del args
builders = bot_platforms.ALL_PLATFORMS
for b in builders:
benchmarks_to_keep = set(
benchmark.Name() for benchmark in b.benchmarks_to_run)
executables_to_keep = set(executable.name for executable in b.executables)
with open(b.shards_map_file_path, 'r') as f:
if not os.path.exists(b.shards_map_file_path):
continue
shards_map = json.load(f, object_pairs_hook=collections.OrderedDict)
for shard, shard_map in shards_map.items():
if shard == 'extra_infos':
break
benchmarks = shard_map.get('benchmarks', dict())
for benchmark in list(benchmarks.keys()):
if benchmark not in benchmarks_to_keep:
del benchmarks[benchmark]
executables = shard_map.get('executables', dict())
for executable in executables.keys():
if executable not in executables_to_keep:
del executables[executable]
os.remove(b.shards_map_file_path)
_DumpJson(shards_map, b.shards_map_file_path)
print('done.')
def _ParseBenchmarks(shard_map_path):
if not os.path.exists(shard_map_path):
raise RuntimeError(
'Platform does not have a shard map at %s.' % shard_map_path)
all_benchmarks = set()
with open(shard_map_path) as f:
shard_map = json.load(f)
for shard, benchmarks_in_shard in shard_map.items():
if "extra_infos" in shard:
continue
if benchmarks := benchmarks_in_shard.get('benchmarks'):
all_benchmarks |= set(benchmarks.keys())
if executables := benchmarks_in_shard.get('executables'):
all_benchmarks |= set(executables.keys())
if crossbench := benchmarks_in_shard.get('crossbench'):
all_benchmarks |= {b['display_name'] for b in crossbench.values()}
return frozenset(all_benchmarks)
def _ValidateShardMaps(args):
"""Validate that the shard maps, csv files, etc. are consistent."""
del args
errors = []
tempdir = tempfile.mkdtemp()
try:
builders = _GetBuilderPlatforms(builders=None, waterfall='all')
for builder in builders:
output_file = os.path.join(
tempdir, os.path.basename(builder.timing_file_path))
_FilterTimingData(builder, output_file)
if not filecmp.cmp(builder.timing_file_path, output_file):
errors.append(
'{timing_data} is not up to date. Please run '
'`./generate_perf_sharding.py update-timing --filter-only` '
'to regenerate it.'.format(timing_data=builder.timing_file_path))
finally:
shutil.rmtree(tempdir)
# Check that bot_platforms.py matches the actual shard maps
for platform in bot_platforms.ALL_PLATFORMS:
if platform.pinpoint_only:
continue
platform_benchmark_names = {
b.name
for b in (platform.benchmark_configs | platform.executables
| platform.crossbench)
}
shard_map_benchmark_names = _ParseBenchmarks(platform.shards_map_file_path)
for benchmark in platform_benchmark_names - shard_map_benchmark_names:
errors.append(
'Benchmark {benchmark} is supposed to be scheduled on platform '
'{platform} according to '
'bot_platforms.py, but it is not yet scheduled. If this is a new '
'benchmark, please set {benchmark}.SCHEDULED = False, and then '
'contact '
'Telemetry and Chrome Client Infra team to schedule the benchmark. '
'You can email chrome-benchmarking-request@ to get started.'.format(
benchmark=benchmark, platform=platform.name))
for benchmark in shard_map_benchmark_names - platform_benchmark_names:
errors.append(
'Benchmark {benchmark} is scheduled on shard map {path}, but '
'bot_platforms.py '
'says that it should not be on that shard map. This could be because '
'the benchmark was deleted or {benchmark}.SCHEDULED is not True. '
'If that is the case, you can use '
'`generate_perf_sharding deschedule` to deschedule the benchmark '
'from the shard map.'.format(benchmark=benchmark,
path=platform.shards_map_file_path))
# Check that every official benchmark is scheduled on some shard map.
# TODO(crbug.com/40627632): Note that this check can be deleted if we
# find some way other than naming the benchmark with prefix "UNSCHEDULED_"
# to make it clear that a benchmark is not running.
scheduled_benchmarks = set()
for platform in bot_platforms.ALL_PLATFORMS:
if platform.pinpoint_only:
continue
scheduled_benchmarks = scheduled_benchmarks | _ParseBenchmarks(
platform.shards_map_file_path)
for benchmark in (
bot_platforms.OFFICIAL_BENCHMARK_NAMES - scheduled_benchmarks):
errors.append(
'Benchmark {benchmark} is an official benchmark, but it is not '
'scheduled to run anywhere. please set '
'{benchmark}.SCHEDULED = False'.format(benchmark=benchmark))
for error in errors:
print('*', error, '\n', file=sys.stderr)
if errors:
return 1
return 0
def main():
parser = GetParser()
options = parser.parse_args()
return options.func(options)
if __name__ == '__main__':
sys.exit(main())
|