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 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216
|
# Copyright 2016 The Chromium Authors
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
# TODO(dawn:549) Move WebGPU caching tests to a separate module to trim file.
# pylint: disable=too-many-lines
import collections
from collections.abc import Generator
import dataclasses
import datetime
from enum import Enum
import gzip
import io
import logging
import os
import posixpath
import subprocess
import sys
import tempfile
from typing import Any
import unittest
# vpython-provided modules.
import perfetto.trace_processor as tp # pylint: disable=import-error
from telemetry.timeline import tracing_config
from tracing.trace_data import trace_data
import gpu_path_util
from gpu_tests import common_browser_args as cba
from gpu_tests import common_typing as ct
from gpu_tests import gpu_integration_test
from gpu_tests import overlay_support
from gpu_tests import trace_test_pages
from gpu_tests.util import host_information
gpu_data_relative_path = gpu_path_util.GPU_DATA_RELATIVE_PATH
data_paths = [
gpu_path_util.GPU_DATA_DIR,
os.path.join(gpu_path_util.CHROMIUM_SRC_DIR, 'media', 'test', 'data')
]
webgl_test_harness_script = r"""
var domAutomationController = {};
domAutomationController._finished = false;
domAutomationController._originalLog = window.console.log;
domAutomationController._messages = '';
domAutomationController.log = function(msg) {
domAutomationController._messages += msg + "\n";
domAutomationController._originalLog.apply(window.console, [msg]);
}
domAutomationController.send = function(msg) {
// Issue a read pixel to synchronize the gpu process to ensure
// the asynchronous category enabling is finished.
var temp_canvas = document.createElement("canvas")
temp_canvas.width = 1;
temp_canvas.height = 1;
var temp_gl = temp_canvas.getContext("experimental-webgl") ||
temp_canvas.getContext("webgl");
if (temp_gl) {
temp_gl.clear(temp_gl.COLOR_BUFFER_BIT);
var id = new Uint8Array(4);
temp_gl.readPixels(0, 0, 1, 1, temp_gl.RGBA, temp_gl.UNSIGNED_BYTE, id);
} else {
console.log('Failed to get WebGL context.');
}
domAutomationController._finished = true;
}
window.domAutomationController = domAutomationController;
"""
basic_test_harness_script = r"""
var domAutomationController = {};
domAutomationController._proceed = false;
domAutomationController._readyForActions = false;
domAutomationController._succeeded = false;
domAutomationController._finished = false;
domAutomationController._originalLog = window.console.log;
domAutomationController._messages = '';
domAutomationController.log = function(msg) {
domAutomationController._messages += msg + "\n";
domAutomationController._originalLog.apply(window.console, [msg]);
}
domAutomationController.send = function(msg) {
domAutomationController._proceed = true;
let lmsg = msg.toLowerCase();
if (lmsg == "ready") {
domAutomationController._readyForActions = true;
} else {
domAutomationController._finished = true;
if (lmsg == "success") {
domAutomationController._succeeded = true;
} else {
domAutomationController._succeeded = false;
}
}
}
window.domAutomationController = domAutomationController;
"""
_GET_STATISTICS_EVENT_NAME = 'GetFrameStatisticsMedia'
_SWAP_CHAIN_PRESENT_EVENT_NAME = 'SwapChain::Present'
_BEGIN_OVERLAY_ACCESS_EVENT_NAME = 'SkiaOutputDeviceDComp::BeginOverlayAccess'
_PRESENT_SWAP_CHAIN_EVENT_NAME =\
'DXGISwapChainImageBacking::Present'
_HTML_CANVAS_NOTIFY_LISTENERS_CANVAS_CHANGED_EVENT_NAME =\
'HTMLCanvasElement::NotifyListenersCanvasChanged'
_STATIC_BITMAP_TO_VID_FRAME_CONVERT_EVENT_NAME =\
'StaticBitmapImageToVideoFrameCopier::Convert'
_MFD3D11VC_CAPTURE_EVENT_NAME = 'CopyTextureToGpuMemoryBuffer'
_MFD3D11VC_MAP_EVENT_NAME = 'GpuMemoryBufferTrackerWin::DuplicateAsUnsafeRegion'
_MFD3D11VC_PRESENT_EVENT_NAME = 'DXGISharedHandleState::AcquireKeyedMutex'
# Caching events and constants
_GPU_HOST_STORE_BLOB_EVENT_NAME =\
'GpuHostImpl::StoreBlobToDisk'
_WEBGPU_BLOB_CACHE_HIT_EVENT_NAME = \
'DawnCachingInterface::CacheHit'
# Refers to GpuDiskCacheType::kDawnWebGPU see the following header:
# gpu/ipc/common/gpu_disk_cache_type.h
_WEBGPU_CACHE_HANDLE_TYPE = 1
# Special 'other_args' keys that is used to pass additional arguments
_MIN_CACHE_HIT_KEY = 'min_cache_hits'
_PROFILE_DIR_KEY = 'profile_dir'
_PROFILE_TYPE_KEY = 'profile_type'
class _TraceTestOrigin(Enum):
"""Enum type for different origin types when navigating to URLs.
The default enum DEFAULT resolves URLs using the explicit localhost IP,
i.e. 127.0.0.1. LOCALHOST resolves URLs using 'localhost' instead. This is
useful when we want the navigations to hit the same resource but appear to
be from a different origin.
As an implementation detail, the values of the enums correspond to the name of
the SeriallyExecutedBrowserTestCase instance functions to get the URLs."""
DEFAULT = 'UrlOfStaticFilePath'
LOCALHOST = 'LocalhostUrlOfStaticFilePath'
@dataclasses.dataclass
class _TraceTestArguments():
"""Struct-like object for passing trace test arguments instead of dicts."""
browser_args: list[str]
category: str
test_harness_script: str
finish_js_condition: str
success_eval_func: str
other_args: dict
restart_browser: bool = True
origin: _TraceTestOrigin = _TraceTestOrigin.DEFAULT
@dataclasses.dataclass
class _CacheTraceTestArguments():
"""Struct-like object for passing persistent cache trace test arguments.
Cache trace tests consist of a series of normal trace test invocations that
are necessary in order to verify the expected caching behaviors. The tests
start with a first load page which is generally used to populate cache
entries. If |test_renavigation| is true, the same browser that opened the
first load page is navigated to each cache page in |cache_pages| and the cache
conditions are verified. Then, regardless of the value of |test_renavigation|,
we iterate across the |cache_pages| again and restart the browser for each
page using a new clean user data directory that is seeded with the contents
from the first load page, and verify the cache conditions. The seeding just
copies all files in the user data directory from the first load over, see
*BrowserFinder classes for more details on the seeding:
//third_party/catapult/telemetry/telemetry/internal/backends/chrome/
The renavigation tests are suitable when we are verifying for cache hits since
no new entries should be generated in the |cache_pages|. However, they are not
suitable for cache miss cases because each |cache_page| may cause entries to
be written to the cache, thereby causing subsequent |cache_pages| to see cache
hits when we actually expect them to be misses. Note this is not a problem
for the restarted browser case because each browser restart seeds a new
temporary directory with only the contents after the first load page.
"""
browser_args: list[str]
category: str
test_harness_script: str
finish_js_condition: str
first_load_eval_func: str
cache_eval_func: str
cache_pages: list[str]
cache_page_origin: _TraceTestOrigin = _TraceTestOrigin.DEFAULT
test_renavigation: bool = True
def GenerateFirstLoadTest(self) -> _TraceTestArguments:
"""Returns the trace test arguments for the first load cache test."""
return _TraceTestArguments(browser_args=self.browser_args,
category=self.category,
test_harness_script=self.test_harness_script,
finish_js_condition=self.finish_js_condition,
success_eval_func=self.first_load_eval_func,
other_args={},
restart_browser=True)
def GenerateCacheHitTests(
self, cache_args: dict | None
) -> Generator[tuple[str, _TraceTestArguments], None, None]:
"""Returns a generator for all cache hit trace tests.
First pass of tests just do a re-navigation, second pass restarts with a
seeded profile directory.
"""
if self.test_renavigation:
for cache_hit_page in self.cache_pages:
yield (posixpath.join(gpu_data_relative_path, cache_hit_page),
_TraceTestArguments(browser_args=self.browser_args,
category=self.category,
test_harness_script=self.test_harness_script,
finish_js_condition=self.finish_js_condition,
success_eval_func=self.cache_eval_func,
other_args=cache_args,
restart_browser=False,
origin=self.cache_page_origin))
for cache_hit_page in self.cache_pages:
yield (posixpath.join(gpu_data_relative_path, cache_hit_page),
_TraceTestArguments(browser_args=self.browser_args,
category=self.category,
test_harness_script=self.test_harness_script,
finish_js_condition=self.finish_js_condition,
success_eval_func=self.cache_eval_func,
other_args=cache_args,
restart_browser=True,
origin=self.cache_page_origin))
class TraceIntegrationTest(gpu_integration_test.GpuIntegrationTest):
"""Tests GPU traces are plumbed through properly.
Also tests that GPU Device traces show up on devices that support them."""
# All known prefixes used in GenerateGpuTests(). Necessary in order for the
# unittests to work properly since some tests are normally only generated on
# specific platforms.
known_test_prefixes = frozenset([
'OverlayModeTraceTest',
'SwapChainTraceTest',
'TraceTest',
'VideoPathTraceTest',
'WebGPUCachingTraceTest',
'WebGLCanvasCaptureTraceTest',
'WebGPUTraceTest',
])
@classmethod
def Name(cls) -> str:
return 'trace_test'
@classmethod
def _SuiteSupportsParallelTests(cls) -> bool:
return True
def _GetSerialGlobs(self) -> set[str]:
serial_globs = set()
if host_information.IsWindows():
serial_globs |= {
# Flaky when run in parallel on Windows. For NVIDIA, it's likely due
# to the limited number of global overlay contexts supported. For
# Intel, it could be due to that same issue or something else. AMD
# may be able to run in parallel once we have an AMD fleet to confirm
# with.
'OverlayModeTraceTest_DirectComposition_Underlay*',
'OverlayModeTraceTest_DirectComposition_Video*',
}
return serial_globs
def _GetSerialTests(self) -> set[str]:
serial_tests = set()
if host_information.IsMac():
serial_tests |= {
# Flaky when run in parallel on Mac.
'WebGPUTraceTest_WebGPUCanvasOneCopyCapture',
'WebGPUTraceTest_WebGPUCanvasDisableOneCopyCapture_Accelerated',
}
return serial_tests
@classmethod
def GenerateGpuTests(cls, options: ct.ParsedCmdArgs) -> ct.TestGenerator:
# pylint: disable=too-many-branches
# Include the device level trace tests, even though they're
# currently skipped on all platforms, to give a hint that they
# should perhaps be enabled in the future.
namespace = trace_test_pages.TraceTestPages
for p in namespace.DefaultPages('TraceTest'):
yield (p.name, posixpath.join(gpu_data_relative_path, p.url), [
_TraceTestArguments(
browser_args=p.browser_args,
category=cls._DisabledByDefaultTraceCategory('gpu.service'),
test_harness_script=webgl_test_harness_script,
finish_js_condition='domAutomationController._finished',
success_eval_func='CheckGLCategory',
other_args=p.other_args)
])
for p in namespace.VideoFromCanvasPages('WebGLCanvasCaptureTraceTest'):
yield (p.name, posixpath.join(gpu_data_relative_path, p.url), [
_TraceTestArguments(
browser_args=p.browser_args,
category='blink',
test_harness_script=basic_test_harness_script,
finish_js_condition='domAutomationController._finished',
success_eval_func='CheckWebGLCanvasCapture',
other_args=p.other_args)
])
for p in namespace.WebGPUCanvasCapturePages('WebGPUTraceTest'):
yield (p.name, posixpath.join(gpu_data_relative_path, p.url), [
_TraceTestArguments(
browser_args=p.browser_args,
category='blink',
test_harness_script=basic_test_harness_script,
finish_js_condition='domAutomationController._finished',
success_eval_func='CheckWebGPUCanvasCapture',
other_args=p.other_args)
])
if host_information.IsWindows():
for p in namespace.DirectCompositionPages('VideoPathTraceTest'):
yield (p.name, posixpath.join(gpu_data_relative_path, p.url), [
_TraceTestArguments(
browser_args=p.browser_args,
category=cls._DisabledByDefaultTraceCategory('gpu.service'),
test_harness_script=basic_test_harness_script,
finish_js_condition='domAutomationController._finished',
success_eval_func='CheckVideoPath',
other_args=p.other_args)
])
# The increased swap count is necessary for tests to consistently pass on
# NVIDIA since overlays can take ~35 frames to take effect. See
# crbug.com/1505609.
for p in namespace.DirectCompositionPages('OverlayModeTraceTest',
swap_count=60):
yield (p.name, posixpath.join(gpu_data_relative_path, p.url), [
_TraceTestArguments(
browser_args=p.browser_args,
category=cls._DisabledByDefaultTraceCategory('gpu.service'),
test_harness_script=basic_test_harness_script,
finish_js_condition='domAutomationController._finished',
success_eval_func='CheckOverlayMode',
other_args=p.other_args)
])
for p in namespace.LowLatencyPages('SwapChainTraceTest'):
yield (p.name, posixpath.join(gpu_data_relative_path, p.url), [
_TraceTestArguments(
browser_args=p.browser_args,
category='gpu',
test_harness_script=basic_test_harness_script,
finish_js_condition='domAutomationController._finished',
success_eval_func='CheckSwapChainPath',
other_args=p.other_args)
])
for p in namespace.RootSwapChainTests('SwapChainTraceTest'):
yield (p.name, posixpath.join(gpu_data_relative_path, p.url), [
_TraceTestArguments(
browser_args=p.browser_args,
category='gpu',
test_harness_script=basic_test_harness_script,
finish_js_condition='domAutomationController._finished',
success_eval_func='CheckSwapChainHasAlpha',
other_args=p.other_args)
])
for p in namespace.MediaFoundationD3D11VideoCaptureTests('TraceTest'):
yield (p.name, posixpath.join(gpu_data_relative_path, p.url), [
_TraceTestArguments(
browser_args=p.browser_args,
category='gpu,' +
cls._DisabledByDefaultTraceCategory('video_and_image_capture'),
test_harness_script=basic_test_harness_script,
finish_js_condition='domAutomationController._finished',
success_eval_func='CheckMediaFoundationD3D11VideoCapture',
other_args=p.other_args)
])
for test in namespace.WebGpuLoadReloadCachingTests(
'WebGPUCachingTraceTest'):
yield (test.name,
posixpath.join(gpu_data_relative_path, test.first_load_page), [
_CacheTraceTestArguments(
browser_args=test.browser_args,
category='gpu',
test_harness_script=basic_test_harness_script,
finish_js_condition='domAutomationController._finished',
first_load_eval_func='CheckWebGPUFirstLoadCache',
cache_eval_func='CheckWebGPUCacheHits',
cache_pages=test.cache_pages,
)
])
for test in namespace.WebGpuIncognitoCachingTests('WebGPUCachingTraceTest'):
yield (test.name,
posixpath.join(gpu_data_relative_path, test.first_load_page), [
_CacheTraceTestArguments(
browser_args=test.browser_args,
category='gpu',
test_harness_script=basic_test_harness_script,
finish_js_condition='domAutomationController._finished',
first_load_eval_func='CheckWebGPUCacheHits',
cache_eval_func='CheckNoWebGPUCacheHits',
cache_pages=test.cache_pages)
])
for test in namespace.WebGpuDifferentOriginCachingTests(
'WebGPUCachingTraceTest'):
yield (test.name,
posixpath.join(gpu_data_relative_path, test.first_load_page), [
_CacheTraceTestArguments(
browser_args=test.browser_args,
category='gpu',
test_harness_script=basic_test_harness_script,
finish_js_condition='domAutomationController._finished',
first_load_eval_func='CheckWebGPUFirstLoadCache',
cache_eval_func='CheckNoWebGPUCacheHits',
cache_pages=test.cache_pages,
cache_page_origin=_TraceTestOrigin.LOCALHOST,
test_renavigation=False)
])
for test in namespace.WebGpuCrossOriginCacheMissTests(
'WebGPUCachingTraceTest'):
yield (test.name,
posixpath.join(gpu_data_relative_path, test.first_load_page), [
_CacheTraceTestArguments(
browser_args=test.browser_args,
category='gpu',
test_harness_script=basic_test_harness_script,
finish_js_condition='domAutomationController._finished',
first_load_eval_func='CheckWebGPUFirstLoadCache',
cache_eval_func='CheckNoWebGPUCacheHits',
cache_pages=test.cache_pages,
test_renavigation=False)
])
def _GetLocalPerfettoTraceProcessorPath(self) -> str | None:
"""Gets the path to the local Perfetto trace_processor_shell binary.
Returns:
The path to the local Perfetto trace_processor_shell binary if it exists,
otherwise None.
"""
# TODO(crbug.com/383999365): Remove this special case once locally built
# versions of trace_processor_shell on Windows support the necessary HTTP
# functionality.
os_name = self.browser.platform.GetOSName()
if os_name and os_name.lower() == 'win':
logging.warning(
'Falling back to cloud version of trace_processor_shell because '
'locally built binaries do not currently work on Windows.')
return None
binary = 'trace_processor_shell'
if os_name and os_name.lower() in ('android', 'chromeos', 'fuchsia'):
# trace_processor_shell is compiled and available locally in the output
# directory, but does not get included in the CAS inputs due to remote
# platform build weirdness. So, use the symlinked versions instead. See
# crbug.com/383999365 for more information.
# ChromeOS technically doesn't need to use the symlinked version since the
# binary is included, just in a subdirectory. However, use the symlinked
# version for consistency.
binary = 'host_trace_processor_shell'
output_directory = self.GetOriginalFinderOptions().chromium_output_dir
if not output_directory:
logging.warning(
'Chromium output directory not set, not able to find local '
'trace_processor_shell. Will fall back to cloud version.')
return None
filepath = os.path.join(output_directory, binary)
if not os.path.exists(filepath):
logging.warning(
'Unable to find local trace_processor_shell. Will fall back to '
'cloud version.')
return None
return filepath
def _GetTraceProcessorForTrace(self, trace: bytes) -> tp.TraceProcessor:
# The default 2 second load timeout works in almost all cases, but can
# cause flakes on rare occasions. Known slow configurations are:
# * Mac/Debug (due to slower binaries?)
# * Mac/NVIDIA (due to old/slow hardware)
# * Linux (unknown cause)
# * ChromeOS VMs (extra load from VM slows down system)
load_timeout = 2
slow_load_timeout = 10
os_name = self.browser.platform.GetOSName()
if os_name == 'mac':
if self.browser.browser_type == 'debug':
load_timeout = slow_load_timeout
elif 'nvidia' in self.__class__.GetPlatformTags(self.browser):
load_timeout = slow_load_timeout
elif os_name == 'linux':
load_timeout = slow_load_timeout
elif os_name == 'chromeos':
if 'chromeos-board-amd64-generic' in self.__class__.GetPlatformTags(
self.browser):
load_timeout = slow_load_timeout
processor_path = self._GetLocalPerfettoTraceProcessorPath()
if processor_path:
processor_config = tp.TraceProcessorConfig(bin_path=processor_path,
load_timeout=load_timeout)
else:
processor_config = tp.TraceProcessorConfig(load_timeout=load_timeout)
trace_processor = tp.TraceProcessor(io.BytesIO(trace),
config=processor_config)
return trace_processor
def _RunActualGpuTraceTest(self,
test_path: str,
args: _TraceTestArguments,
profile_dir: str | None = None,
profile_type: str | None = None) -> dict:
"""Returns a dictionary generated via the success evaluation."""
if args.restart_browser:
# The version of this test in the old GPU test harness restarted the
# browser after each test, so continue to do that to match its behavior
# by default for legacy tests.
self.RestartBrowserWithArgs(args.browser_args,
profile_dir=profile_dir,
profile_type=profile_type)
# Set up tracing.
config = tracing_config.TracingConfig()
config.chrome_trace_config.SetProtoTraceFormat()
config.chrome_trace_config.category_filter.AddExcludedCategory('*')
if args.category.find(',') != -1:
config.chrome_trace_config.category_filter.AddFilterString(args.category)
else:
config.chrome_trace_config.category_filter.AddFilter(args.category)
config.enable_chrome_trace = True
tab = self.tab
tab.browser.platform.tracing_controller.StartTracing(config, 60)
# Perform page navigation.
url = getattr(self, args.origin.value)(test_path)
tab.Navigate(url, script_to_evaluate_on_commit=args.test_harness_script)
try:
tab.action_runner.WaitForJavaScriptCondition(args.finish_js_condition,
timeout=60)
finally:
test_messages = tab.EvaluateJavaScript(
'domAutomationController._messages')
if test_messages:
logging.info('Logging messages from the test:\n%s', test_messages)
# Stop tracing.
timeline_data = tab.browser.platform.tracing_controller.StopTracing()
# Concatenate all of the Perfetto trace components into a single trace.
trace_bytes = _MergePerfettoTraces(timeline_data)
# Save the trace as an artifact for debugging purposes.
self._MaybeSavePerfettoTraceAsArtifact(trace_bytes)
# Evaluate success.
if args.success_eval_func:
prefixed_func_name = '_EvaluateSuccess_' + args.success_eval_func
with self._GetTraceProcessorForTrace(trace_bytes) as trace_processor:
results = getattr(self,
prefixed_func_name)(args.category, trace_processor,
args.other_args)
return results if results else {}
return {}
def RunActualGpuTest(self, test_path: str, args: ct.TestArgs) -> None:
params = args[0]
if isinstance(params, _TraceTestArguments):
self._RunActualGpuTraceTest(test_path, params)
elif isinstance(params, _CacheTraceTestArguments):
# Create a new temporary directory for each cache test that is run.
with tempfile.TemporaryDirectory() as cache_profile_dir:
# Run the first load page and get the number of expected cache hits.
load_params = params.GenerateFirstLoadTest()
results =\
self._RunActualGpuTraceTest(test_path,
load_params,
profile_dir=cache_profile_dir,
profile_type='exact')
# Generate and run the cache hit tests using the seeded cache dir.
for (hit_path, trace_params) in params.GenerateCacheHitTests(results):
self._RunActualGpuTraceTest(hit_path,
trace_params,
profile_dir=cache_profile_dir,
profile_type='clean')
@classmethod
def SetUpProcess(cls) -> None:
super().SetUpProcess()
cls.CustomizeBrowserArgs([])
cls.StartBrowser()
cls.SetStaticServerDirs(data_paths)
@classmethod
def TearDownProcess(cls) -> None:
# There is a bug somewhere in the Windows version of trace_processor_shell
# that causes it to consistently leave behind orphaned processes. These
# prevent Swarming from cleaning up the output directory, which causes the
# task to fail. So, kill any processes that are still alive since we do not
# need them at this point.
# TODO(crbug.com/383999365): Remove this workaround when the bug is fixed
# on Perfetto's end.
os_name = cls.browser.platform.GetOSName()
if os_name and os_name.lower() == 'win':
logging.info('Killing orphaned trace_processor_shell processes')
cmd = ['taskkill', '/f', '/t', '/im', 'trace_processor_shell.exe']
try:
subprocess.run(cmd, check=True)
except subprocess.CalledProcessError as e:
logging.error(
'Failed to kill orphaned trace_processor_shell processes: %s', e)
super().TearDownProcess()
@classmethod
def GenerateBrowserArgs(cls, additional_args: list[str]) -> list[str]:
"""Adds default arguments to |additional_args|.
See the parent class' method documentation for additional information.
"""
default_args = super(TraceIntegrationTest,
cls).GenerateBrowserArgs(additional_args)
default_args.extend([
cba.ENABLE_LOGGING,
cba.ENABLE_EXPERIMENTAL_WEB_PLATFORM_FEATURES,
# --test-type=gpu is used to suppress the "stability and security will
# suffer" infobar caused by --enable-gpu-benchmarking which can
# interfere with these tests.
cba.TEST_TYPE_GPU,
])
return default_args
@staticmethod
def _SwapChainPresentationModeListToStr(
presentation_mode_list: list[int]) -> str:
modes = [
overlay_support.PresentationModeEventToStr(m)
for m in presentation_mode_list
]
return f'[{",".join(modes)}]'
@staticmethod
def _DisabledByDefaultTraceCategory(category: str) -> str:
return f'disabled-by-default-{category}'
def _MaybeSavePerfettoTraceAsArtifact(self, trace: bytes) -> None:
if self.artifacts:
filename = (f'trace-for-ui.perfetto.dev-'
f'{datetime.datetime.now().isoformat()}.pb')
# Necessary to not create an invalid path on Windows.
filename = filename.replace(':', '_')
self.artifacts.CreateArtifact(filename, filename, trace)
else:
logging.warning(
'Did not save trace as artifact due to not having an artifact '
'implementation set')
#########################################
# The test success evaluation functions
def _EvaluateSuccess_CheckGLCategory(self, category: str,
trace_processor: tp.TraceProcessor,
other_args: dict) -> None:
del other_args # Unused in this particular success evaluation.
# Just look for *any* GL trace events.
query = f"""\
SELECT
COUNT(*) as cnt
FROM
slices
JOIN
args
WHERE
slices.category = '{category}'
AND args.key = 'debug.gl_category'
AND args.string_value = 'gpu_toplevel'
AND slices.arg_set_id = args.arg_set_id
"""
for row in trace_processor.query(query):
if row.cnt <= 0:
self.fail(f'Trace markers for GPU category {category} were not found')
def _GetVideoExpectations(self, other_args: dict) -> '_VideoExpectations':
"""Helper for creating expectations for CheckVideoPath and CheckOverlayMode.
Args:
other_args: The |other_args| arg passed into the test.
Returns:
A _VideoExpectations instance with zero_copy, pixel_format, no_overlay,
and presentation_mode filled in.
"""
gpu = self.browser.GetSystemInfo().gpu.devices[0]
overlay_bot_config = overlay_support.GetOverlayConfigForGpu(gpu)
expected = _VideoExpectations()
expected.zero_copy = other_args.get('zero_copy', None)
expected.pixel_format = other_args.get('pixel_format', None)
expected.no_overlay = other_args.get('no_overlay', False)
video_rotation = other_args.get('video_rotation',
overlay_support.VideoRotation.UNROTATED)
video_is_not_scaled = other_args.get('full_size', False)
codec = other_args.get('codec', overlay_support.ZeroCopyCodec.UNSPECIFIED)
if overlay_bot_config.supports_overlays:
expected.pixel_format = overlay_bot_config.GetExpectedPixelFormat(
forced_pixel_format=expected.pixel_format)
expected.presentation_mode = (
overlay_bot_config.GetExpectedPresentationMode(
expected_pixel_format=expected.pixel_format,
video_rotation=video_rotation))
if expected.zero_copy is None and not expected.no_overlay:
expected.zero_copy = overlay_bot_config.GetExpectedZeroCopyUsage(
expected_pixel_format=expected.pixel_format,
video_rotation=video_rotation,
fullsize=video_is_not_scaled,
codec=codec)
return expected
# pylint: disable=too-many-locals
def _EvaluateSuccess_CheckVideoPath(self, category: str,
trace_processor: tp.TraceProcessor,
other_args: dict) -> None:
"""Verifies Chrome goes down the code path as expected.
Depending on whether hardware overlays are supported or not, which formats
are supported in overlays, whether video is downscaled or not, whether
video is rotated or not, Chrome's video presentation code path can be
different.
"""
os_name = self.browser.platform.GetOSName()
assert os_name and os_name.lower() == 'win'
other_args = other_args or {}
expected = self._GetVideoExpectations(other_args)
# Get all swap events, merging multiple rows for the same ID to easily
# access the multiple args that are relevant.
swap_events = collections.defaultdict(dict)
pixel_format_key = 'debug.PixelFormat'
zero_copy_key = 'debug.ZeroCopy'
swap_event_query = f"""\
SELECT
slices.id,
key,
string_value,
int_value
FROM
slices
JOIN
args
WHERE
category = '{category}'
AND name = '{_SWAP_CHAIN_PRESENT_EVENT_NAME}'
AND args.arg_set_id = slices.arg_set_id
"""
for row in trace_processor.query(swap_event_query):
value = None
if row.key == pixel_format_key:
value = row.string_value
elif row.key == zero_copy_key:
value = bool(row.int_value)
else:
self.fail(f'Found {_SWAP_CHAIN_PRESENT_EVENT_NAME} event with arg '
f'{row.key}, which is not expected')
swap_events[row.id][row.key] = value
if expected.no_overlay and swap_events:
self.fail(f'Expected no overlay but got {len(swap_events)} '
f'{_SWAP_CHAIN_PRESENT_EVENT_NAME} events')
if not swap_events:
if expected.no_overlay:
return
self.fail(f'No {_SWAP_CHAIN_PRESENT_EVENT_NAME} events found')
for event_id, event_args in swap_events.items():
detected_pixel_format = event_args.get(pixel_format_key, None)
if detected_pixel_format is None:
self.fail(f'PixelFormat is missing from event '
f'{_SWAP_CHAIN_PRESENT_EVENT_NAME} with ID {event_id}')
if expected.pixel_format != detected_pixel_format:
self.fail(f'SwapChain pixel format mismatch, expected '
f'{expected.pixel_format} got {detected_pixel_format} for '
f'event with ID {event_id}')
detected_zero_copy = event_args.get(zero_copy_key, None)
if detected_zero_copy is None:
self.fail(f'ZeroCopy is missing from event '
f'{_SWAP_CHAIN_PRESENT_EVENT_NAME} with ID {event_id}')
if expected.zero_copy != detected_zero_copy:
self.fail(f'ZeroCopy mismatch, expected {expected.zero_copy} got '
f'{detected_zero_copy} for event with ID {event_id}')
# pylint: enable=too-many-locals
def _EvaluateSuccess_CheckOverlayMode(self, category: str,
trace_processor: tp.TraceProcessor,
other_args: dict) -> None:
"""Verifies video frames are promoted to overlays when supported."""
os_name = self.browser.platform.GetOSName()
assert os_name and os_name.lower() == 'win'
other_args = other_args or {}
expected = self._GetVideoExpectations(other_args)
# Get the history of composition mode for presents.
presentation_mode_history = []
composition_mode_query = f"""\
SELECT
int_value
FROM
slices
JOIN
args
WHERE
category = '{category}'
AND name = '{_GET_STATISTICS_EVENT_NAME}'
AND key = 'debug.CompositionMode'
AND args.arg_set_id = slices.arg_set_id
ORDER BY slices.id
"""
for row in trace_processor.query(composition_mode_query):
if expected.no_overlay:
self.fail(f'Expected no overlay got {_GET_STATISTICS_EVENT_NAME}')
presentation_mode_history.append(row.int_value)
# Verify that all of the events had a composition mode.
get_statistics_count_query = f"""\
SELECT
COUNT(*) as cnt
FROM
slices
WHERE
category = '{category}'
AND name = '{_GET_STATISTICS_EVENT_NAME}'
"""
for row in trace_processor.query(get_statistics_count_query):
if row.cnt != len(presentation_mode_history):
self.fail(f'CompositionMode was missing from one or more '
f'{_GET_STATISTICS_EVENT_NAME} events. {row.cnt} total '
f'events found, {len(presentation_mode_history)} had '
f'CompositionMode')
if expected.no_overlay:
return
valid_entry_found = False
for index, mode in enumerate(reversed(presentation_mode_history)):
# Be more tolerant for the beginning frames in non-overlay mode.
# Only check the last three entries.
if index >= 3:
break
if mode in (overlay_support.PresentationModeEvent.NONE,
overlay_support.PresentationModeEvent.GET_STATISTICS_FAILED):
# Be more tolerant to avoid test flakiness
continue
if (overlay_support.PresentationModeEventToStr(mode)
!= expected.presentation_mode):
history_str = TraceIntegrationTest._SwapChainPresentationModeListToStr(
presentation_mode_history)
self.fail(f'SwapChain presentation mode mismatch, expected '
f'{expected.presentation_mode} got {history_str}')
valid_entry_found = True
if not valid_entry_found:
history_str = TraceIntegrationTest._SwapChainPresentationModeListToStr(
presentation_mode_history)
self.fail(f'No valid frame statistics being collected: {history_str}')
def _EvaluateSuccess_CheckSwapChainPath(self, category: str,
trace_processor: tp.TraceProcessor,
other_args: dict) -> None:
"""Verifies that swap chains are used as expected for low latency canvas."""
os_name = self.browser.platform.GetOSName()
assert os_name and os_name.lower() == 'win'
gpu = self.browser.GetSystemInfo().gpu.devices[0]
overlay_bot_config = overlay_support.GetOverlayConfigForGpu(gpu)
assert overlay_bot_config.direct_composition
# Check to make sure at least one SwapChainBuffer event is found when
# expected.
expect_no_overlay = other_args and other_args.get('no_overlay', False)
expect_overlay = not expect_no_overlay
found_overlay = False
overlay_query = f"""\
SELECT
*
FROM
slices
JOIN
args
WHERE
category = '{category}'
AND name = '{_BEGIN_OVERLAY_ACCESS_EVENT_NAME}'
AND key = 'debug.debug_label'
AND string_value = 'SwapChainBuffer'
AND args.arg_set_id = slices.arg_set_id
"""
for _ in trace_processor.query(overlay_query):
found_overlay = True
break
if expect_overlay and not found_overlay:
self.fail(f'Overlay expected but not found: matching '
f'{_BEGIN_OVERLAY_ACCESS_EVENT_NAME} events were not found')
elif expect_no_overlay and found_overlay:
self.fail(f'Overlay not expected but found: matching '
f'{_BEGIN_OVERLAY_ACCESS_EVENT_NAME} events were found')
def _EvaluateSuccess_CheckSwapChainHasAlpha(
self, category: str, trace_processor: tp.TraceProcessor,
other_args: dict) -> None:
"""Verified that all DXGI swap chains are presented with the expected alpha
mode."""
os_name = self.browser.platform.GetOSName()
assert os_name and os_name.lower() == 'win'
gpu = self.browser.GetSystemInfo().gpu.devices[0]
overlay_bot_config = overlay_support.GetOverlayConfigForGpu(gpu)
assert overlay_bot_config.direct_composition
expect_has_alpha = other_args and other_args.get('has_alpha', False)
# Find all swap chain events with has_alpha and verify they have the
# expected value.
has_present_swap_chain_event_with_has_alpha = False
swap_chain_query = f"""\
SELECT
int_value
FROM
slices
JOIN
args
WHERE
category = '{category}'
AND name = '{_PRESENT_SWAP_CHAIN_EVENT_NAME}'
AND key = 'debug.has_alpha'
AND args.arg_set_id = slices.arg_set_id
"""
for row in trace_processor.query(swap_chain_query):
has_present_swap_chain_event_with_has_alpha = True
got_has_alpha = bool(row.int_value)
if expect_has_alpha != got_has_alpha:
self.fail(f'Expected events with name {_PRESENT_SWAP_CHAIN_EVENT_NAME} '
f'with has_alpha expected {expect_has_alpha}, got '
f'{got_has_alpha}')
# It's also considered a failure if we did not see the expected event.
if not has_present_swap_chain_event_with_has_alpha:
self.fail(
f'Expected events with name {_PRESENT_SWAP_CHAIN_EVENT_NAME} and '
'has_alpha value, but were not found')
def _EvaluateSuccess_CheckWebGLCanvasCapture(
self, category: str, trace_processor: tp.TraceProcessor,
other_args: dict) -> None:
if other_args is None:
return
self._CheckCanvasCaptureImpl(category, trace_processor, other_args)
def _EvaluateSuccess_CheckWebGPUCanvasCapture(
self, category: str, trace_processor: tp.TraceProcessor,
other_args: dict) -> None:
self._CheckCanvasCaptureImpl(category, trace_processor, other_args)
def _CheckCanvasCaptureImpl(self, category: str,
trace_processor: tp.TraceProcessor,
other_args: dict) -> None:
expected_one_copy = other_args.get('one_copy', None)
expected_accelerated_two_copy = other_args.get('accelerated_two_copy', None)
if expected_one_copy and expected_accelerated_two_copy:
self.fail('one_copy and accelerated_two_copy are mutually exclusive')
# Check for any one copy events, and if they exist, that the value matches
# the expected value.
found_one_copy_event = False
one_copy_query = f"""\
SELECT
DISTINCT(int_value)
FROM
slices
JOIN
args
WHERE
category = '{category}'
AND name = '{_HTML_CANVAS_NOTIFY_LISTENERS_CANVAS_CHANGED_EVENT_NAME}'
AND key = 'debug.one_copy_canvas_capture'
AND args.arg_set_id = slices.arg_set_id
"""
for row in trace_processor.query(one_copy_query):
found_one_copy_event = True
detected_one_copy = bool(row.int_value)
if expected_one_copy != detected_one_copy:
self.fail(f'one_copy_canvas_capture mismatch, expected '
f'{expected_one_copy} got {detected_one_copy}')
# Check for any two copy events, and if they exist, that the value matches
# the expected value.
found_accelerated_two_copy_event = False
two_copy_query = f"""\
SELECT
DISTINCT(int_value)
FROM
slices
JOIN
args
WHERE
category = '{category}'
AND name = '{_STATIC_BITMAP_TO_VID_FRAME_CONVERT_EVENT_NAME}'
AND key = 'debug.accelerated_frame_pool_copy'
AND args.arg_set_id = slices.arg_set_id
"""
for row in trace_processor.query(two_copy_query):
found_accelerated_two_copy_event = True
detected_accelerated_two_copy = bool(row.int_value)
if expected_accelerated_two_copy != detected_accelerated_two_copy:
self.fail(f'accelerated_frame_pool_copy mismatch, expected '
f'{expected_accelerated_two_copy} got '
f'{detected_accelerated_two_copy}')
# Check to make sure that one/two copy events were only found when they're
# expected to be present.
if expected_one_copy is not None and found_one_copy_event is False:
self.fail(f'{_HTML_CANVAS_NOTIFY_LISTENERS_CANVAS_CHANGED_EVENT_NAME} '
f'events with one_copy_canvas_capture were not found')
if (expected_accelerated_two_copy is not None
and found_accelerated_two_copy_event is False):
self.fail(f'{_STATIC_BITMAP_TO_VID_FRAME_CONVERT_EVENT_NAME} events with '
f'accelerated_frame_pool_copy were not found')
def _EvaluateSuccess_CheckWebGPUFirstLoadCache(
self, category: str, trace_processor: tp.TraceProcessor,
_other_args: dict) -> dict:
# Count how many cache writes there were and assert that there was a
# non-zero amount.
cache_query = f"""\
SELECT
COUNT(*) as cnt
FROM
slices
JOIN
args
WHERE
category = '{category}'
AND name = '{_GPU_HOST_STORE_BLOB_EVENT_NAME}'
AND key = 'debug.handle_type'
AND int_value = {_WEBGPU_CACHE_HANDLE_TYPE}
AND args.arg_set_id = slices.arg_set_id
"""
stored_blobs = 0
for row in trace_processor.query(cache_query):
stored_blobs += row.cnt
if stored_blobs == 0:
self.fail('Expected at least 1 cache entry to be written.')
return {_MIN_CACHE_HIT_KEY: stored_blobs}
def _EvaluateSuccess_CheckWebGPUCacheHits(self, category: str,
trace_processor: tp.TraceProcessor,
other_args: dict) -> None:
# Count how many cache hits there were and assert that it matches the number
# of cache writes.
cache_hit_query = f"""\
SELECT
COUNT(*) as cnt
FROM
slices
WHERE
category = '{category}'
AND name = '{_WEBGPU_BLOB_CACHE_HIT_EVENT_NAME}'
"""
cache_hits = 0
for row in trace_processor.query(cache_hit_query):
cache_hits += row.cnt
stored_blobs = other_args.get(_MIN_CACHE_HIT_KEY, 1)
if cache_hits == 0 or cache_hits < stored_blobs:
self.fail(f'WebGPU cache hits ({cache_hits}) is 0 or less than blobs '
f'stored ({stored_blobs}).')
# Look for any cases where additional blobs were cached, which are not
# expected at this point.
cache_write_query = f"""\
SELECT
*
FROM
slices
JOIN
args
WHERE
category = '{category}'
AND name = '{_GPU_HOST_STORE_BLOB_EVENT_NAME}'
AND key = 'debug.handle_type'
AND int_value = {_WEBGPU_CACHE_HANDLE_TYPE}
AND args.arg_set_id = slices.arg_set_id
"""
for row in trace_processor.query(cache_write_query):
self.fail('Unexpected WebGPU cache entry was stored on reloaded page')
def _EvaluateSuccess_CheckNoWebGPUCacheHits(
self, category: str, trace_processor: tp.TraceProcessor,
_other_args: dict) -> None:
# Look for any cases where the WebGPU cache was hit, which is not expected
# at this time.
cache_hit_query = f"""\
SELECT
COUNT(*) as cnt
FROM
slices
WHERE
category = '{category}'
AND name = '{_WEBGPU_BLOB_CACHE_HIT_EVENT_NAME}'
"""
for row in trace_processor.query(cache_hit_query):
cache_hits = row.cnt
if cache_hits != 0:
self.fail(f'Expected 0 WebGPU cache hits, but got {cache_hits}.')
def _EvaluateSuccess_CheckMediaFoundationD3D11VideoCapture(
self, category: str, trace_processor: tp.TraceProcessor,
_other_args: dict) -> None:
del category # Unused.
os_version = self.browser.platform.GetOSVersionName()
assert os_version
if os_version.lower() not in ['win10', 'win11']:
self.skipTest(
'MediaFoundationD3D11VideoCapture only available on win 10+')
js_succeeded = self.tab.EvaluateJavaScript(
'domAutomationController._succeeded')
self.assertTrue(js_succeeded)
# Make sure that all of the expected events are actually present.
found_events = {
_MFD3D11VC_CAPTURE_EVENT_NAME: False,
_MFD3D11VC_MAP_EVENT_NAME: False,
_MFD3D11VC_PRESENT_EVENT_NAME: False,
}
event_query = """\
SELECT
DISTINCT(name)
FROM
slices
"""
for row in trace_processor.query(event_query):
if row.name in found_events:
found_events[row.name] = True
for event_name, found in found_events.items():
if not found:
self.fail(f'No {event_name} events found')
@classmethod
def ExpectationsFiles(cls) -> list[str]:
return [
os.path.join(
os.path.dirname(os.path.abspath(__file__)), 'test_expectations',
'trace_test_expectations.txt')
]
@dataclasses.dataclass
class _VideoExpectations():
"""Struct-like object for passing around video test expectations."""
pixel_format: str | None = None
zero_copy: bool | None = None
no_overlay: bool | None = None
presentation_mode: str | None = None
def _MergePerfettoTraces(trace_builder: trace_data.TraceDataBuilder) -> bytes:
"""Merge all Perfetto trace components into a single trace.
Args:
trace_builder: A Telemetry TraceDataBuilder containing the trace components
to merge.
Returns:
Bytes containing the merged trace.
"""
merged_trace = b''
for _, trace_filepath in trace_builder.IterTraceParts():
if trace_filepath.endswith('.pb.gz'):
with gzip.open(trace_filepath, 'rb') as infile:
merged_trace += infile.read()
else:
with open(trace_filepath, 'rb') as infile:
merged_trace += infile.read()
return merged_trace
def load_tests(loader: unittest.TestLoader, tests: Any,
pattern: Any) -> unittest.TestSuite:
del loader, tests, pattern # Unused.
return gpu_integration_test.LoadAllTestsInModule(sys.modules[__name__])
|