diff --git a/tools/disable_tests/PRESUBMIT.py b/tools/disable_tests/PRESUBMIT.py index 7b1f7be61344c..a4442b9f9df4b 100644 --- a/tools/disable_tests/PRESUBMIT.py +++ b/tools/disable_tests/PRESUBMIT.py @@ -22,10 +22,22 @@ def _CommonChecks(input_api, output_api): output_api, input_api.os_path.join(input_api.PresubmitLocalPath()), files_to_check=[r'.+_test\.py$'], - files_to_skip=[], + files_to_skip=['integration_test.py'], run_on_python2=False, run_on_python3=True, skip_shebang_check=True)) + + # integration_test.py uses subcommands, so we can't use the standard unit test + # presubmit API to run it. + commands.append( + input_api.Command( + name='integration_test.py', + cmd=['integration_test.py', 'run'], + kwargs={}, + message=output_api.PresubmitError, + python3=True, + )) + results.extend(input_api.RunTests(commands)) return results diff --git a/tools/disable_tests/README.md b/tools/disable_tests/README.md index e10e51ba89e1c..0b61864effd56 100644 --- a/tools/disable_tests/README.md +++ b/tools/disable_tests/README.md @@ -80,3 +80,26 @@ automatically populate the bug summary with information useful for debugging the test, so please use it if available. If not present, e.g. if the tool did the wrong thing but didn't crash, please file any bugs under the [Sheriff-o-Matic component](https://bugs.chromium.org/p/chromium/issues/entry?components=Infra%3ESheriffing%3ESheriffOMatic). + +# Development + +## Integration tests + +This tool has a suite of integration tests under the `tests` directory, run via +`integration_test.py`. New tests can be recorded using the `record` subcommand, +followed by the name of the test and the command line arguments to run it with. + +Recording a testcase captures and stores the following data: +* The arguments used to run the test. +* The ResultDB requests made and their corresponding responses. +* The path and content of any data read from files. +* The path and content of any data written to files. + +When testcases are replayed, this information is fed into the tool to make it +completely hermetic and reproducible, and as such these tests should be 100% +consistent and reproducible. The data written is considered the only output of +the tool, and this data is compared against what is stored to determine whether +the test passes or fails. + +Existing tests can be printed in a readable format by using the `show` +subcommand with the name of the test you want to examine. diff --git a/tools/disable_tests/disable.py b/tools/disable_tests/disable.py index 422bfe31f6107..598272f118ed0 100755 --- a/tools/disable_tests/disable.py +++ b/tools/disable_tests/disable.py @@ -23,7 +23,7 @@ import resultdb SRC_ROOT = os.path.abspath(os.path.join(os.path.dirname(__file__), '..', '..')) -def main() -> int: +def main(argv: List[str]) -> int: valid_conds = ' '.join( sorted(f'\t{term.name}' for term in conditions.TERMINALS)) @@ -50,7 +50,7 @@ def main() -> int: action='store_true', help='cache ResultDB rpc results, useful for testing') - args = parser.parse_args() + args = parser.parse_args(argv[1:]) if args.cache: resultdb.CANNED_RESPONSE_FILE = os.path.join(os.path.dirname(__file__), @@ -191,4 +191,4 @@ Checked out chromium/src revision: if __name__ == '__main__': - sys.exit(main()) + sys.exit(main(sys.argv)) diff --git a/tools/disable_tests/integration_test.py b/tools/disable_tests/integration_test.py new file mode 100644 index 0000000000000..419a74591a54e --- /dev/null +++ b/tools/disable_tests/integration_test.py @@ -0,0 +1,299 @@ +# Copyright 2021 The Chromium Authors. All rights reserved. +# Use of this source code is governed by a BSD-style license that can be +# found in the LICENSE file. +"""Integration tests.""" + +import argparse +import builtins +from collections import defaultdict +import difflib +from functools import wraps +import glob +import json +import os +import unittest +import sys +import tempfile +import pprint +from typing import List, Dict + +import disable +import resultdb + + +def cmd_record(args: argparse.Namespace): + record_testcase(args.name, ['./disable'] + args.args) + + +def record_testcase(name: str, testcase_args: List[str]): + # While running the test, point CANNED_RESPONSE_FILE to a temporary that we + # can recover data from afterwards. + fd, temp_canned_response_file = tempfile.mkstemp() + os.fdopen(fd).close() + resultdb.CANNED_RESPONSE_FILE = temp_canned_response_file + + original_open = builtins.open + builtins.open = opener(original_open) + + try: + disable.main(testcase_args) + # TODO: We probably want to test failure cases as well. We can add an + # "exception" field to the testcase JSON and test that the same exception is + # raised. + finally: + builtins.open = original_open + with open(temp_canned_response_file) as f: + recorded_requests = f.read() + os.remove(temp_canned_response_file) + + testcase = { + 'args': testcase_args, + 'requests': recorded_requests, + 'read_data': TrackingFile.read_data, + 'written_data': TrackingFile.written_data, + } + + print(f'Recorded testcase {name}.\nDiff from this testcase is:\n') + + print_diffs(TrackingFile.read_data, TrackingFile.written_data) + + with open(os.path.join('tests', f'{name}.json'), 'w') as f: + json.dump(testcase, f, indent=2) + + TrackingFile.read_data.clear() + TrackingFile.written_data.clear() + + +def print_diffs(read_data: Dict[str, str], written_data: Dict[str, str]): + def lines(s: str) -> List[str]: + return [line + '\n' for line in s.split('\n')] + + for filename in read_data: + if filename in written_data: + before = lines(read_data[filename]) + after = lines(written_data[filename]) + + sys.stdout.writelines( + difflib.unified_diff(before, + after, + fromfile=f'a/{filename}', + tofile=f'b/{filename}')) + + +def opener(old_open): + @wraps(old_open) + def tracking_open(path, mode='r', **kwargs): + if os.path.abspath(path).startswith(disable.SRC_ROOT): + return TrackingFile(old_open, path, mode, **kwargs) + return old_open(path, mode, **kwargs) + + return tracking_open + + +class TrackingFile: + """A file-like class that records what data was read/written.""" + + read_data = {} + written_data = defaultdict(str) + + def __init__(self, old_open, path, mode, **kwargs): + self.path = path + + if mode != 'w': + self.file = old_open(path, mode, **kwargs) + else: + self.file = None + + def read(self, n_bytes=-1): + # It's easier to stash all the results if we only deal with the case where + # all the data is read at once. Right now we can get away with this as the + # tool only does this, but if that changes we'll need to support it here. + assert n_bytes == -1 + data = self.file.read(n_bytes) + + TrackingFile.read_data[src_root_relative(self.path)] = data + + return data + + def write(self, data): + # Don't actually write the data, since we're just recording a testcase. + TrackingFile.written_data[src_root_relative(self.path)] += data + + def __enter__(self): + return self + + def __exit__(self, e_type, e_val, e_tb): + if self.file is not None: + self.file.close() + self.file = None + + +def src_root_relative(path: str) -> str: + if os.path.abspath(path).startswith(disable.SRC_ROOT): + return os.path.relpath(path, disable.SRC_ROOT) + return path + + +class IntegrationTest(unittest.TestCase): + """This class represents a data-driven integration test. + + Given a list of arguments to pass to the test disabler, a set of ResultDB + requests and responses to replay, and the data read/written to the filesystem, + run the test disabler in a hermetic test environment and check that the output + is the same. + """ + + def __init__(self, name, args, requests, read_data, written_data): + unittest.TestCase.__init__(self, methodName='test_one_testcase') + + self.name = name + self.args = args + self.requests = requests + self.read_data = read_data + self.written_data = written_data + + def test_one_testcase(self): + fd, temp_canned_response_file = tempfile.mkstemp(text=True) + os.fdopen(fd).close() + with open(temp_canned_response_file, 'w') as f: + f.write(self.requests) + resultdb.CANNED_RESPONSE_FILE = temp_canned_response_file + + TrackingFile.read_data.clear() + TrackingFile.written_data.clear() + + with tempfile.TemporaryDirectory() as temp_dir: + disable.SRC_ROOT = temp_dir + for filename, contents in self.read_data.items(): + in_temp = os.path.join(temp_dir, filename) + os.makedirs(os.path.dirname(in_temp)) + with open(in_temp, 'w') as f: + f.write(contents) + + original_open = builtins.open + builtins.open = opener(original_open) + + try: + disable.main(self.args) + finally: + os.remove(temp_canned_response_file) + builtins.open = original_open + + for path, data in TrackingFile.written_data.items(): + if path == temp_canned_response_file: + continue + + relpath = src_root_relative(path) + + self.assertIn(relpath, self.written_data) + self.assertEqual(data, self.written_data[relpath]) + + def shortDescription(self): + return self.name + + +def cmd_show(args: argparse.Namespace): + try: + with open(os.path.join('tests', f'{args.name}.json'), 'r') as f: + testcase = json.load(f) + except FileNotFoundError: + print(f"No such testcase '{args.name}'", file=sys.stderr) + sys.exit(1) + + command_line = ' '.join(testcase['args']) + print(f'Testcase {args.name}, invokes disabler with:\n{command_line}\n\n') + + # Pretty-print ResultDB RPC requests and corresponding responses. + requests = json.loads(testcase['requests']) + if len(requests) != 0: + print(f'Makes {len(requests)} request(s) to ResultDB:') + + for request, response in requests.items(): + n = request.index('/') + name = request[:n] + payload = json.loads(request[n + 1:]) + + print(f'\n{name}') + pprint.pprint(payload) + + print('->') + pprint.pprint(json.loads(response)) + + print('\n') + + # List all files read. + read_data = testcase['read_data'] + if len(read_data) > 0: + print(f'Reads {len(read_data)} file(s):') + print('\n'.join(read_data)) + print('\n') + + # Show diff between read and written for all written files. + written_data = testcase['written_data'] + if len(written_data) > 0: + print('Produces the following diffs:') + print_diffs(read_data, written_data) + + +def all_testcase_jsons(): + for testcase in glob.glob('tests/*.json'): + with open(testcase, 'r') as f: + yield os.path.basename(testcase)[:-5], json.load(f) + + +def cmd_run(_args: argparse.Namespace): + testcases = [] + for name, testcase_json in all_testcase_jsons(): + testcases.append( + IntegrationTest( + name, + testcase_json['args'], + testcase_json['requests'], + testcase_json['read_data'], + testcase_json['written_data'], + )) + + test_runner = unittest.TextTestRunner() + test_runner.run(unittest.TestSuite(testcases)) + + +def cmd_rerecord(_args: argparse.Namespace): + for name, testcase_json in all_testcase_jsons(): + record_testcase(name, testcase_json['args']) + print('') + + +def main(): + parser = argparse.ArgumentParser( + description='Record / replay integration tests.', ) + + subparsers = parser.add_subparsers() + + record_parser = subparsers.add_parser('record', help='Record a testcase') + record_parser.add_argument('name', + type=str, + help='The name to give the testcase') + record_parser.add_argument( + 'args', + type=str, + nargs='+', + help='The arguments to use for running the testcase.') + record_parser.set_defaults(func=cmd_record) + + run_parser = subparsers.add_parser('run', help='Run all testcases') + run_parser.set_defaults(func=cmd_run) + + show_parser = subparsers.add_parser('show', help='Describe a testcase') + show_parser.add_argument('name', type=str, help='The testcase to describe') + show_parser.set_defaults(func=cmd_show) + + rerecord_parser = subparsers.add_parser( + 'rerecord', help='Re-record all existing testcases') + rerecord_parser.set_defaults(func=cmd_rerecord) + + args = parser.parse_args() + args.func(args) + + +if __name__ == '__main__': + main() diff --git a/tools/disable_tests/tests/expectations-basic.json b/tools/disable_tests/tests/expectations-basic.json new file mode 100644 index 0000000000000..17dadcd0b895a --- /dev/null +++ b/tools/disable_tests/tests/expectations-basic.json @@ -0,0 +1,13 @@ +{ + "args": [ + "./disable", + "ninja://:blink_web_tests/editing/selection/caret-at-bidi-boundary.html" + ], + "requests": "{\"GetTestResultHistory/{\\\"realm\\\": \\\"chromium:ci\\\", \\\"testIdRegexp\\\": \\\"ninja://:blink_web_tests/editing/selection/caret-at-bidi-boundary.html\\\", \\\"pageSize\\\": 1}\": \"{\\\"entries\\\":[{\\\"invocationTimestamp\\\":\\\"2021-11-15T01:09:34.872697Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-5739f9a77b578d11/tests/ninja:%2F%2F:blink_web_tests%2Fediting%2Fselection%2Fcaret-at-bidi-boundary.html/results/69aeb702-02114\\\",\\\"testId\\\":\\\"ninja://:blink_web_tests/editing/selection/caret-at-bidi-boundary.html\\\",\\\"resultId\\\":\\\"69aeb702-02114\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Mac10.13 Tests\\\",\\\"os\\\":\\\"Mac-10.13.6\\\",\\\"test_suite\\\":\\\"blink_web_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"3.740447s\\\",\\\"variantHash\\\":\\\"3e43324bac82d3f3\\\"}}],\\\"nextPageToken\\\":\\\"CgJ0cwoYMDhjZWU2YzY4YzA2MTBhODk5OTFhMDAzCgEx\\\"}\\n\", \"GetTestResult/{\\\"name\\\": \\\"invocations/task-chromium-swarm.appspot.com-5739f9a77b578d11/tests/ninja:%2F%2F:blink_web_tests%2Fediting%2Fselection%2Fcaret-at-bidi-boundary.html/results/69aeb702-02114\\\"}\": \"{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-5739f9a77b578d11/tests/ninja:%2F%2F:blink_web_tests%2Fediting%2Fselection%2Fcaret-at-bidi-boundary.html/results/69aeb702-02114\\\",\\\"testId\\\":\\\"ninja://:blink_web_tests/editing/selection/caret-at-bidi-boundary.html\\\",\\\"resultId\\\":\\\"69aeb702-02114\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Mac10.13 Tests\\\",\\\"os\\\":\\\"Mac-10.13.6\\\",\\\"test_suite\\\":\\\"blink_web_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"3.740447s\\\",\\\"tags\\\":[{\\\"key\\\":\\\"monorail_component\\\",\\\"value\\\":\\\"Blink\\\"},{\\\"key\\\":\\\"raw_typ_expectation\\\",\\\"value\\\":\\\"Pass\\\"},{\\\"key\\\":\\\"raw_typ_expectation\\\",\\\"value\\\":\\\"Slow\\\"},{\\\"key\\\":\\\"step_name\\\",\\\"value\\\":\\\"blink_web_tests on Mac-10.13.6\\\"},{\\\"key\\\":\\\"team_email\\\",\\\"value\\\":\\\"layout-dev@chromium.org\\\"},{\\\"key\\\":\\\"test_name\\\",\\\"value\\\":\\\"editing/selection/caret-at-bidi-boundary.html\\\"},{\\\"key\\\":\\\"typ_tag\\\",\\\"value\\\":\\\"mac\\\"},{\\\"key\\\":\\\"typ_tag\\\",\\\"value\\\":\\\"mac10.13\\\"},{\\\"key\\\":\\\"typ_tag\\\",\\\"value\\\":\\\"release\\\"},{\\\"key\\\":\\\"typ_tag\\\",\\\"value\\\":\\\"x86\\\"},{\\\"key\\\":\\\"web_tests_base_timeout\\\",\\\"value\\\":\\\"6\\\"},{\\\"key\\\":\\\"web_tests_device_failed\\\",\\\"value\\\":\\\"False\\\"},{\\\"key\\\":\\\"web_tests_flag_specific_config_name\\\"},{\\\"key\\\":\\\"web_tests_result_type\\\",\\\"value\\\":\\\"PASS\\\"},{\\\"key\\\":\\\"web_tests_used_expectations_file\\\",\\\"value\\\":\\\"NeverFixTests\\\"},{\\\"key\\\":\\\"web_tests_used_expectations_file\\\",\\\"value\\\":\\\"SlowTests\\\"},{\\\"key\\\":\\\"web_tests_used_expectations_file\\\",\\\"value\\\":\\\"StaleTestExpectations\\\"},{\\\"key\\\":\\\"web_tests_used_expectations_file\\\",\\\"value\\\":\\\"TestExpectations\\\"},{\\\"key\\\":\\\"web_tests_used_expectations_file\\\",\\\"value\\\":\\\"WebDriverExpectations\\\"}],\\\"variantHash\\\":\\\"3e43324bac82d3f3\\\",\\\"testMetadata\\\":{\\\"name\\\":\\\"editing/selection/caret-at-bidi-boundary.html\\\",\\\"location\\\":{\\\"repo\\\":\\\"https://chromium.googlesource.com/chromium/src\\\",\\\"fileName\\\":\\\"//third_party/blink/web_tests/editing/selection/caret-at-bidi-boundary.html\\\"}}}\\n\"}", + "read_data": { + "third_party/blink/web_tests/TestExpectations": "# tags: [ Android Fuchsia Linux Mac Mac10.12 Mac10.13 Mac10.14 Mac10.15 Mac11 Mac11-arm64 Win Win7 Win10.20h2 ]\n# tags: [ Release Debug ]\n# results: [ Timeout Crash Pass Failure Skip ]\n\n# This is the main failure suppression file for Blink LayoutTests.\n# Further documentation:\n# https://chromium.googlesource.com/chromium/src/+/master/docs/testing/web_test_expectations.md\n\n# Intentional failures to test the layout test system.\nharness-tests/crash.html [ Crash ]\nharness-tests/timeout.html [ Timeout ]\nfast/harness/sample-fail-mismatch-reftest.html [ Failure ]\n\n# Expected to fail.\nexternal/wpt/infrastructure/reftest/legacy/reftest_and_fail_0-ref.html [ Failure ]\nexternal/wpt/infrastructure/reftest/legacy/reftest_cycle_fail_0-ref.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-0.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-1.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-4.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-5.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-6.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-7.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_fail.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_mismatch_fail.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_multiple_mismatch-0.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_multiple_mismatch-1.html [ Failure ]\naccessibility/slot-poison.html [ Failure ]\n\n# Expected to time out.\nexternal/wpt/infrastructure/expected-fail/timeout.html [ Timeout ]\nexternal/wpt/infrastructure/reftest/reftest_ref_timeout.html [ Timeout ]\nexternal/wpt/infrastructure/reftest/reftest_timeout.html [ Timeout ]\n\n# We don't support extracting fuzzy information from .ini files, which these\n# WPT infrastructure tests rely on.\ncrbug.com/997202 external/wpt/infrastructure/reftest/legacy/reftest_fuzzy_chain_ini.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/legacy/fuzzy-ref-2.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_full.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_ref_only.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_short.html [ Failure ]\n\n# WPT HTTP/2 is not fully supported by run_web_tests.\ncrbug.com/1048761 external/wpt/infrastructure/server/http2-websocket.sub.h2.any.html [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/http2-websocket.sub.h2.any.worker.html [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/wpt-server-wpt-flags.sub.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/wpt-server-wpt-flags.sub.html?wpt_flags=https [ Failure ]\n\n# The following tests pass or fail depending on the underlying protocol (HTTP/1.1 vs HTTP/2).\n# The results of failures could be also different depending on the underlying protocol.\ncrbug.com/1048761 external/wpt/websockets/constructor/002.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/constructor/002.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/001.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/004.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/004.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/005.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/close/close-connecting.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/close/close-nested.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/readyState/003.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/unload-a-document/002.html?wss [ Failure Pass ]\n\n# Tests are flaky after a WPT import\ncrbug.com/1204961 [ Mac ] external/wpt/websockets/stream/tentative/abort.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/1204961 [ Mac ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wpt_flags=h2 [ Failure Pass ]\n# Flaking on WebKit Linux MSAN\ncrbug.com/1207373 [ Linux ] external/wpt/uievents/order-of-events/mouse-events/mousemove-across.html [ Failure Pass ]\n\n# WPT Test harness doesn't deal with finding an about:blank ref test\ncrbug.com/1066130 external/wpt/infrastructure/assumptions/blank.html [ Failure ]\n\n# Favicon is not supported by run_web_tests.\nexternal/wpt/fetch/metadata/favicon.https.sub.html [ Skip ]\n\ncrbug.com/807686 crbug.com/24182 jquery/manipulation.html [ Pass Skip Timeout ]\n\n# The following tests need to remove the assumption that user activation is\n# available in child/sibling frames. This assumption doesn't hold with User\n# Activation v2 (UAv2).\ncrbug.com/906791 external/wpt/fullscreen/api/element-ready-check-allowed-cross-origin-manual.sub.html [ Timeout ]\n\n# These two are left over from crbug.com/881040, I rebaselined them twice and\n# they continue to fail.\ncrbug.com/881040 media/controls/lazy-loaded-style.html [ Failure Pass ]\n\n# With --enable-display-compositor-pixel-dump enabled by default, these three\n# tests fail. See crbug.com/887140 for more info.\ncrbug.com/887140 virtual/hdr/color-jpeg-with-color-profile.html [ Failure ]\ncrbug.com/887140 virtual/hdr/color-profile-video.html [ Failure ]\ncrbug.com/887140 virtual/hdr/video-canvas-alpha.html [ Failure ]\n\n# Tested by paint/background/root-element-background-transparency.html for now.\nexternal/wpt/css/compositing/root-element-background-transparency.html [ Failure ]\n\n# ====== Synchronous, budgeted HTML parser tests from here ========================\n\n# See crbug.com/1254921 for details!\n#\n# These tests either fail outright, or become flaky, when these two flags/parameters are enabled:\n# --enable-features=ForceSynchronousHTMLParsing,LoaderDataPipeTuning:allocation_size_bytes/2097152/loader_chunk_size/1048576\n\n# app-history tests - fail:\ncrbug.com/1254926 external/wpt/app-history/navigate-event/navigate-history-back-after-fragment.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/navigate/navigate-same-document-event-order.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-app-history-back-forward-same-doc.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-app-history-navigate-same-doc.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-history-back-same-doc.html [ Failure ]\n\n# Extra line info appears in the output in some cases.\ncrbug.com/1254932 http/tests/preload/meta-csp.html [ Failure ]\n\n# Extra box in the output:\ncrbug.com/1254933 css3/filters/filterRegions.html [ Failure ]\n\n\n# Script preloaded: No\ncrbug.com/1254940 http/tests/security/contentSecurityPolicy/nonces/scriptnonce-redirect.html [ Failure ]\n\n# Test fails:\ncrbug.com/1254942 http/tests/security/subresourceIntegrity/revalidation-failed-script.html [ Failure ]\ncrbug.com/1254942 http/tests/security/subresourceIntegrity/empty-after-revalidate-script.html [ Failure ]\n\n# Two paint failures:\ncrbug.com/1254943 paint/invalidation/overflow/resize-child-within-overflow.html [ Failure ]\ncrbug.com/1254943 fast/events/hit-test-counts.html [ Failure ]\n\n# Image isn't present:\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-dom-offset-attr.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-intercept-prop.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-offset-prop.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-tableValues-prop.html [ Failure Pass ]\n\n# Fails flakily or times out\ncrbug.com/1255285 virtual/threaded/transitions/transition-currentcolor.html [ Failure Pass ]\ncrbug.com/1255285 virtual/threaded/transitions/transition-ends-before-animation-frame.html [ Timeout ]\n\n# Unknown media state flakiness (likely due to layout occuring earlier than expected):\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-candidate-insert-before.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-audio-constructor.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source-not-in-document.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source-networkState.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-in-sync-event.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-from-document.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-load.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-pause-networkState.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-pause.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-play.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-from-document-networkState.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-set-src-not-in-document.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-set-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-remove-source.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-remove-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-selection-metadata.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-cuechange.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-enter-exit.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-remove-insert-ready-state.html [ Failure Pass ]\n\n# ====== Synchronous, budgeted HTML parser tests to here ========================\n\ncrbug.com/1264472 plugins/focus-change-2-change-focus.html [ Failure Pass ]\n\n\ncrbug.com/1197502 [ Win ] http/tests/intersection-observer/cross-origin-iframe-with-nesting.html [ Failure Pass ]\n\n# ====== Site Isolation failures from here ======\n# See also third_party/blink/web_tests/virtual/not-site-per-process/README.md\n# Tests temporarily disabled with Site Isolation - uninvestigated bugs:\n# TODO(lukasza, alexmos): Burn down this list.\ncrbug.com/949003 http/tests/printing/cross-site-frame-scrolled.html [ Failure Pass ]\ncrbug.com/949003 http/tests/printing/cross-site-frame.html [ Failure Pass ]\n# ====== Site Isolation failures until here ======\n\n# ====== Oilpan-only failures from here ======\n# Most of these actually cause the tests to report success, rather than\n# failure. Expected outputs will be adjusted for the better once Oilpan\n# has been well and truly enabled always.\n# ====== Oilpan-only failures until here ======\n\n# ====== Browserside navigation from here ======\n# These tests started failing when browser-side navigation was turned on.\ncrbug.com/759632 http/tests/devtools/network/network-datasaver-warning.js [ Failure ]\n# ====== Browserside navigation until here ======\n\n# ====== Paint team owned tests from here ======\n# The paint team tracks and triages its test failures, and keeping them colocated\n# makes tracking much easier.\n# Covered directories are:\n# compositing except compositing/animations\n# hittesting\n# images, css3/images,\n# paint\n# svg\n# canvas, fast/canvas\n# transforms\n# display-lock\n# Some additional bugs that are caused by painting problems are also within this section.\n\n# --- Begin CompositeAfterPaint Tests --\n# Only whitelisted tests run under the virtual suite.\n# More tests run with CompositeAfterPaint on the flag-specific try bot.\nvirtual/composite-after-paint/* [ Skip ]\nvirtual/composite-after-paint/compositing/backface-visibility/* [ Pass ]\nvirtual/composite-after-paint/compositing/backgrounds/* [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/abs-position-inside-opacity.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/composited-html-size.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/outline-change.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/tall-page-composited.html [ Pass ]\nvirtual/composite-after-paint/compositing/gestures/gesture-tapHighlight-img.html [ Pass ]\nvirtual/composite-after-paint/compositing/gestures/gesture-tapHighlight-simple-scaledY.html [ Pass ]\nvirtual/composite-after-paint/compositing/iframes/iframe-in-composited-layer.html [ Pass ]\nvirtual/composite-after-paint/compositing/masks/mask-of-clipped-layer.html [ Pass ]\nvirtual/composite-after-paint/compositing/overflow/clip-rotate-opacity-fixed.html [ Pass ]\nvirtual/composite-after-paint/compositing/overlap-blending/children-opacity-huge.html [ Pass ]\nvirtual/composite-after-paint/compositing/plugins/* [ Pass ]\nvirtual/composite-after-paint/compositing/reflections/reflection-ordering.html [ Pass ]\nvirtual/composite-after-paint/compositing/rtl/rtl-overflow-scrolling.html [ Pass ]\nvirtual/composite-after-paint/compositing/squashing/squash-composited-input.html [ Pass ]\nvirtual/composite-after-paint/compositing/transitions/opacity-on-inline.html [ Pass ]\nvirtual/composite-after-paint/compositing/will-change/stacking-context-creation.html [ Pass ]\nvirtual/composite-after-paint/compositing/z-order/* [ Pass ]\nvirtual/composite-after-paint/paint/background/* [ Pass ]\nvirtual/composite-after-paint/paint/filters/* [ Pass ]\nvirtual/composite-after-paint/paint/frames/* [ Pass ]\nvirtual/composite-after-paint/scrollingcoordinator/* [ Pass ]\n# --- End CompositeAfterPaint Tests --\n\n# --- CanvasFormattedText tests ---\n# Fails on linux-rel even though actual and expected appear the same.\ncrbug.com/1176933 [ Linux ] virtual/gpu/fast/canvas/canvas-formattedtext-2.html [ Skip ]\n\n# --- END CanvasFormattedText tests\n\n# These tests were disabled to allow enabling WebAssembly Reference Types.\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/global/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/global/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/constructor-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/constructor-reftypes.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/set-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/set-reftypes.tentative.any.worker.html [ Failure Pass ]\n\n# These tests block fixes done in V8. The tests run on the V8 bots as well.\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/toString.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/toString.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/constructor-types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/constructor-types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/prototypes.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/prototypes.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor-types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor-types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow-reftypes.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/get-set.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/get-set.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow.any.worker.html [ Failure Pass ]\n\n# Sheriff on 2020-09-03\ncrbug.com/1124352 media/picture-in-picture/clear-after-request.html [ Crash Pass ]\ncrbug.com/1124352 media/picture-in-picture/controls/picture-in-picture-button.html [ Crash Pass ]\ncrbug.com/1124352 media/picture-in-picture/picture-in-picture-interstitial.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/css-selector.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/exit-picture-in-picture.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/picture-in-picture-element.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/shadow-dom.html [ Crash Pass ]\n\ncrbug.com/1174966 [ Mac ] external/wpt/webrtc/RTCPeerConnection-restartIce.https.html [ Failure Pass Timeout ]\ncrbug.com/1174965 [ Mac ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDtlsTransport-state.html [ Failure Pass ]\n\n# These tests require portals, and some require cross-origin portals.\n# Keep this in sync with VirtualTestSuites.\ncrbug.com/1093466 external/wpt/fetch/metadata/portal.https.sub.html [ Skip ]\ncrbug.com/1093466 external/wpt/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/devtools/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/inspector-protocol/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/portals/* [ Skip ]\ncrbug.com/1093466 wpt_internal/portals/* [ Skip ]\ncrbug.com/1093466 virtual/portals/external/wpt/fetch/metadata/portal.https.sub.html [ Pass ]\ncrbug.com/1093466 virtual/portals/external/wpt/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/devtools/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/inspector-protocol/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/wpt_internal/portals/* [ Pass ]\n\n# These tests require the experimental prerender feature.\n# See https://crbug.com/1126305.\ncrbug.com/1126305 external/wpt/speculation-rules/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/external/wpt/speculation-rules/prerender/* [ Pass ]\ncrbug.com/1126305 wpt_internal/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/wpt_internal/prerender/* [ Pass ]\ncrbug.com/1126305 http/tests/inspector-protocol/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/http/tests/inspector-protocol/prerender/* [ Pass ]\n\n## prerender test: the File System Access API is not supported on Android ##\ncrbug.com/1182032 [ Android ] virtual/prerender/wpt_internal/prerender/restriction-local-file-system-access.https.html [ Skip ]\n## prerender test: Notification constructor is not supported on Android ##\ncrbug.com/1198110 [ Android ] virtual/prerender/external/wpt/speculation-rules/prerender/restriction-notification.https.html [ Skip ]\n\n# These tests require BFCache, which is currently disabled by default on Desktop.\n# Keep this in sync with VirtualTestSuites.\ncrbug.com/1171298 http/tests/inspector-protocol/bfcache/* [ Skip ]\ncrbug.com/1171298 http/tests/devtools/bfcache/* [ Skip ]\ncrbug.com/1171298 virtual/bfcache/http/tests/inspector-protocol/bfcache/* [ Pass ]\ncrbug.com/1171298 virtual/bfcache/http/tests/devtools/bfcache/* [ Pass ]\n\n# These tests require LazyEmbed, which is currently disabled by default.\ncrbug.com/1247131 virtual/automatic-lazy-frame-loading/wpt_internal/lazyembed/* [ Pass ]\ncrbug.com/1247131 wpt_internal/lazyembed/* [ Skip ]\n\n# These tests require the mparch based fenced frames.\ncrbug.com/1260483 http/tests/inspector-protocol/fenced-frame/* [ Skip ]\ncrbug.com/1260483 virtual/fenced-frame-mparch/http/tests/inspector-protocol/fenced-frame/* [ Pass ]\n\n# Ref test with very minor differences. We need fuzzy matching for our ref tests,\n# or upstream this to WPT.\ncrbug.com/1185506 svg/text/textpath-pattern.svg [ Failure Pass ]\n\ncrbug.com/807395 fast/multicol/mixed-opacity-test.html [ Failure ]\n\n########## Ref tests can't be rebaselined ##########\ncrbug.com/504613 crbug.com/524248 [ Mac ] paint/images/image-backgrounds-not-antialiased.html [ Failure ]\n\ncrbug.com/619103 paint/invalidation/background/background-resize-width.html [ Failure Pass ]\n\ncrbug.com/784956 fast/history/frameset-repeated-name.html [ Failure Pass ]\n\n\n########## Genuinely flaky ##########\ncrbug.com/624233 virtual/gpu-rasterization/images/color-profile-background-clip-text.html [ Failure Pass ]\ncrbug.com/757605 virtual/gpu-rasterization/images/jpeg-yuv-progressive-image.html [ Failure Pass ]\ncrbug.com/1223284 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-cross-fade.html [ Failure Pass ]\ncrbug.com/1223284 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-cross-fade.html [ Failure Pass ]\n\n########## Bugs to fix ##########\n# This is a missing event and increasing the timeout or using run-after-layout-and-paint doesn't\n# seem to fix it.\ncrbug.com/309675 compositing/gestures/gesture-tapHighlight-simple-longPress.html [ Failure ]\n\ncrbug.com/845267 [ Mac ] http/tests/inspector-protocol/page/page-lifecycleEvents.js [ Failure Pass ]\ncrbug.com/1046784 http/tests/inspector-protocol/page/page-events-associated-isolation.js [ Failure Pass ]\n\n# Looks like a failure to get a paint on time. Test could be changed to use runAfterLayoutAndPaint\n# instead of a timeout, which may fix things.\ncrbug.com/713049 images/color-profile-reflection.html [ Failure Pass ]\ncrbug.com/713049 virtual/gpu-rasterization/images/color-profile-reflection.html [ Failure Pass Timeout ]\n\n# This test was attributed to site isolation but times out with or without it. Broken test?\ncrbug.com/1050826 external/wpt/mixed-content/gen/top.http-rp/opt-in/object-tag.https.html [ Skip Timeout ]\n\ncrbug.com/791941 virtual/exotic-color-space/images/color-profile-border-fade.html [ Failure Pass ]\ncrbug.com/791941 virtual/gpu-rasterization/images/color-profile-border-fade.html [ Failure Pass ]\n\ncrbug.com/1098369 fast/canvas/OffscreenCanvas-copyImage.html [ Failure Pass ]\n\ncrbug.com/1106590 virtual/gpu/fast/canvas/canvas-path-non-invertible-transform.html [ Crash Pass ]\n\ncrbug.com/1237275 fast/canvas/layers-lonebeginlayer.html [ Failure Pass ]\ncrbug.com/1237275 fast/canvas/layers-unmatched-beginlayer.html [ Failure Pass ]\ncrbug.com/1231615 fast/canvas/layers-nested.html [ Failure Pass ]\n\n# Assorted WPT canvas tests failing\ncrbug.com/1093709 external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.resize.html [ Failure Pass ]\ncrbug.com/1243128 [ Win ] external/wpt/html/canvas/element/wide-gamut-canvas/2d.color.space.p3.fillText.html [ Failure ]\ncrbug.com/1243128 [ Win ] external/wpt/html/canvas/element/wide-gamut-canvas/2d.color.space.p3.fillText.shadow.html [ Failure ]\ncrbug.com/1170062 [ Linux ] external/wpt/html/canvas/element/manual/shadows/canvas_shadows_001.htm [ Pass Timeout ]\ncrbug.com/1170062 [ mac ] external/wpt/html/canvas/element/manual/shadows/canvas_shadows_001.htm [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.html [ Pass Skip Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/fill-and-stroke-styles/2d.gradient.interpolate.zerosize.fillText.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.zero.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.html [ Pass Skip Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/fill-and-stroke-styles/2d.gradient.interpolate.zerosize.fillText.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.zero.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac10.13 ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.worker.html [ Timeout ]\ncrbug.com/1170337 [ Mac10.13 ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.worker.html [ Skip Timeout ]\n\n# Off by one pixel error on ref test\ncrbug.com/1259367 [ Mac ] printing/offscreencanvas-webgl-printing.html [ Failure ]\n\n# Subpixel differences due to compositing on Mac10.14+.\ncrbug.com/997202 [ Mac10.14 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/997202 [ Mac10.15 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/997202 [ Mac11 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\n\n# This test depends on synchronous focus() which does not exist (anymore?).\ncrbug.com/1074482 external/wpt/html/interaction/focus/the-autofocus-attribute/update-the-rendering.html [ Failure ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-by-feature-policy-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-by-feature-policy-attribute-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-by-feature-policy-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-by-feature-policy-attribute-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1105278 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-on-self-origin-by-feature-policy.tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1104125 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-on-self-origin-by-feature-policy.tentative.https.sub.html [ Failure Pass ]\n\n# This test has a bug in it that prevents it from being able to deal with order\n# differences it claims to support.\ncrbug.com/1076129 external/wpt/service-workers/service-worker/clients-matchall-frozen.https.html [ Failure Pass ]\n\n# Flakily timing out or failing.\n# TODO(ccameron): Investigate this.\ncrbug.com/730267 virtual/gpu-rasterization/images/color-profile-group.html [ Failure Pass Skip Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-layer.html [ Failure Pass Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure Pass Skip Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization-disable-yuv/images/yuv-decode-eligible/color-profile-layer.html [ Failure Pass Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization-disable-yuv/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure Pass Skip Timeout ]\n\n# Flaky virtual/threaded/fast/scrolling tests\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/absolute-position-behind-scrollbar.html [ Failure Pass ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/fixed-position-behind-scrollbar.html [ Failure Pass ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/listbox-wheel-event.html [ Failure Pass Timeout ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/overflow-scrollability.html [ Failure Pass Timeout ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/same-page-navigate.html [ Failure Pass ]\n\ncrbug.com/915926 fast/events/touch/multi-touch-user-gesture.html [ Failure Pass ]\n\ncrbug.com/736052 compositing/overflow/composited-scroll-with-fractional-translation.html [ Failure Pass ]\n\n# New OffscreenCanvas Tests that are breaking LayoutTest\n\ncrbug.com/980969 http/tests/input/discard-events-to-unstable-iframe.html [ Failure Pass ]\n\ncrbug.com/1086591 external/wpt/css/mediaqueries/aspect-ratio-004.html [ Failure ]\ncrbug.com/1086591 external/wpt/css/mediaqueries/device-aspect-ratio-002.html [ Failure ]\ncrbug.com/1002049 external/wpt/css/mediaqueries/aspect-ratio-005.html [ Failure ]\ncrbug.com/1002049 external/wpt/css/mediaqueries/aspect-ratio-006.html [ Failure ]\ncrbug.com/946762 external/wpt/css/mediaqueries/mq-gamut-004.html [ Failure ]\ncrbug.com/946762 external/wpt/css/mediaqueries/mq-gamut-002.html [ Failure ]\ncrbug.com/962417 external/wpt/css/mediaqueries/mq-negative-range-001.html [ Failure ]\ncrbug.com/442449 external/wpt/css/mediaqueries/mq-range-001.html [ Failure ]\n\ncrbug.com/1007134 external/wpt/intersection-observer/v2/delay-test.html [ Failure Pass ]\ncrbug.com/1004547 external/wpt/intersection-observer/cross-origin-iframe.sub.html [ Failure Pass ]\ncrbug.com/1007229 external/wpt/intersection-observer/same-origin-grand-child-iframe.sub.html [ Failure Pass ]\n\ncrbug.com/936084 external/wpt/css/css-sizing/max-content-input-001.html [ Failure ]\n\ncrbug.com/849459 fragmentation/repeating-thead-under-repeating-thead.html [ Failure ]\n\n# These fail when device_scale_factor is changed, but only for anti-aliasing:\ncrbug.com/968791 [ Mac ] virtual/scalefactor200/css3/filters/effect-blur-hw.html [ Failure Pass ]\ncrbug.com/968791 virtual/scalefactor200/css3/filters/filterRegions.html [ Failure ]\n\n# These appear to be actually incorrect at device_scale_factor 2.0:\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-001.html [ Failure ]\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-002.html [ Failure ]\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-003.html [ Failure ]\ncrbug.com/968791 virtual/scalefactor200/external/wpt/css/filter-effects/filters-test-brightness-003.html [ Failure ]\n\ncrbug.com/916825 external/wpt/css/filter-effects/filter-subregion-01.html [ Failure ]\n\n# Could be addressed with fuzzy diff.\ncrbug.com/910537 external/wpt/svg/painting/marker-006.svg [ Failure ]\ncrbug.com/910537 external/wpt/svg/painting/marker-005.svg [ Failure ]\n\n# We don't yet implement context-fill and context-stroke\ncrbug.com/367737 external/wpt/svg/painting/reftests/paint-context-001.svg [ Failure ]\ncrbug.com/367737 external/wpt/svg/painting/reftests/paint-context-002.svg [ Failure ]\n\n# Unprefixed 'mask' ('mask-image', 'mask-border') support not yet implemented.\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-clip-exclude.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-local-mask.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-image.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-remote-mask.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-image-hash.html [ Failure ]\n\n# CSS cascade layers\ncrbug.com/1095765 external/wpt/css/css-cascade/layer-stylesheet-sharing.html [ Failure ]\n\n# Fails, at a minimum, due to lack of support for CSS mask property in html elements\ncrbug.com/432153 external/wpt/svg/painting/reftests/display-none-mask.html [ Skip ]\n\n# WPT SVG Tests failing. Have not been investigated in all cases.\ncrbug.com/1184034 external/wpt/svg/linking/reftests/href-filter-element.html [ Failure ]\ncrbug.com/366559 external/wpt/svg/shapes/reftests/pathlength-003.svg [ Failure ]\ncrbug.com/366559 external/wpt/svg/text/reftests/textpath-side-001.svg [ Failure ]\ncrbug.com/366559 external/wpt/svg/text/reftests/textpath-shape-001.svg [ Failure ]\ncrbug.com/803360 external/wpt/svg/path/closepath/segment-completing.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-001.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-201.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-202.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-102.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-002.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-203.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-003.svg [ Failure ]\ncrbug.com/670177 external/wpt/svg/rendering/order/z-index.svg [ Failure ]\ncrbug.com/863355 [ Mac ] external/wpt/svg/shapes/reftests/pathlength-002.svg [ Failure ]\ncrbug.com/1052202 external/wpt/svg/linking/scripted/href-mpath-element.html [ Timeout ]\ncrbug.com/1052202 external/wpt/svg/linking/scripted/href-animate-element.html [ Timeout ]\ncrbug.com/1222395 external/wpt/svg/path/property/mpath.svg [ Failure ]\ncrbug.com/785246 external/wpt/svg/struct/reftests/use-inheritance-001.svg [ Failure ]\ncrbug.com/785246 external/wpt/svg/linking/reftests/use-descendant-combinator-003.html [ Failure ]\ncrbug.com/674797 external/wpt/svg/painting/reftests/marker-path-022.svg [ Failure ]\ncrbug.com/674797 external/wpt/svg/painting/reftests/marker-path-023.svg [ Failure ]\n\ncrbug.com/699040 external/wpt/svg/text/reftests/text-xml-space-001.svg [ Failure ]\n\n# WPT backgrounds and borders tests. Note that there are many more in NeverFixTests\n# that should be investigated (see crbug.com/780700)\ncrbug.com/1242416 [ Linux ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/1242416 [ Mac10.14 ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/1242416 [ Debug Mac10.15 ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/492187 external/wpt/css/CSS2/backgrounds/background-intrinsic-004.xht [ Failure ]\ncrbug.com/492187 external/wpt/css/CSS2/backgrounds/background-intrinsic-006.xht [ Failure ]\ncrbug.com/767352 external/wpt/css/css-backgrounds/border-image-width-008.html [ Failure ]\ncrbug.com/1268426 external/wpt/css/css-backgrounds/border-image-width-should-extend-to-padding.html [ Failure ]\ncrbug.com/1268426 virtual/threaded/external/wpt/css/css-backgrounds/border-image-width-should-extend-to-padding.html [ Failure ]\n\n\n# ==== Regressions introduced by BlinkGenPropertyTrees =====\n# Reflection / mask ordering issue\ncrbug.com/767318 compositing/reflections/nested-reflection-mask-change.html [ Failure ]\n# Incorrect scrollbar invalidation.\ncrbug.com/887000 virtual/prefer_compositing_to_lcd_text/scrollbars/hidden-scrollbars-invisible.html [ Failure Timeout ]\ncrbug.com/887000 [ Mac10.14 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac10.15 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac11 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac11-arm64 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\n\ncrbug.com/882975 virtual/threaded/fast/events/pinch/gesture-pinch-zoom-prevent-in-handler.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/fast/events/pinch/scroll-visual-viewport-send-boundary-events.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchpad-zoom-in-slow.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchpad.html [ Failure Pass ]\n\ncrbug.com/898394 virtual/android/url-bar/bottom-and-top-fixed-sticks-to-top.html [ Failure Timeout ]\n\ncrbug.com/1024151 http/tests/devtools/tracing/timeline-style/timeline-style-recalc-all-invalidator-types.js [ Failure Pass ]\n\n# Subpixel rounding differences that are incorrect.\ncrbug.com/997202 compositing/overflow/scaled-overflow.html [ Failure ]\n# Flaky subpixel AA difference (not necessarily incorrect, but flaky)\ncrbug.com/997202 virtual/threaded-no-composited-antialiasing/animations/skew-notsequential-compositor.html [ Failure Pass ]\n# Only one pixel difference (187,187,187) vs (188,188,188) occasionally.\ncrbug.com/1207960 [ Linux ] compositing/perspective-interest-rect.html [ Failure Pass ]\n\ncrbug.com/954591 external/wpt/css/css-transforms/composited-under-rotateY-180deg.html [ Failure ]\ncrbug.com/954591 external/wpt/css/css-transforms/composited-under-rotateY-180deg-clip.html [ Failure ]\n\ncrbug.com/1261905 external/wpt/css/css-transforms/backface-visibility-hidden-child-will-change-transform.html [ Failure ]\ncrbug.com/1261905 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-child-translate.html [ Failure ]\n\n# CompositeAfterPaint remaining failures\n# Outline paints incorrectly with columns. Needs LayoutNGBlockFragmentation.\ncrbug.com/1047358 paint/pagination/composited-paginated-outlined-box.html [ Failure ]\ncrbug.com/1266689 compositing/gestures/gesture-tapHighlight-composited-img.html [ Failure Pass ]\n# Need to force the video to be composited in this case, or change pre-CAP\n# to match CAP behavior.\ncrbug.com/1108972 fullscreen/compositor-touch-hit-rects-fullscreen-video-controls.html [ Failure ]\n# Cross-origin iframe layerization is buggy with empty iframes.\ncrbug.com/1123189 virtual/threaded-composited-iframes/external/wpt/is-input-pending/security/cross-origin-subframe-masked-pointer-events-mixed-2.sub.html [ Failure ]\ncrbug.com/1123189 virtual/threaded-composited-iframes/external/wpt/is-input-pending/security/cross-origin-subframe-complex-clip.sub.html [ Failure ]\ncrbug.com/1266900 [ Mac ] fast/events/touch/gesture/right-click-gestures-set-cursor-at-correct-position.html [ Crash Pass ]\ncrbug.com/1267924 [ Mac ] external/wpt/css/css-contain/contain-layout-baseline-005.html [ Failure ]\ncrbug.com/1267924 [ Mac ] external/wpt/css/css-contain/contain-layout-suppress-baseline-001.html [ Failure ]\n# Needs rebaseline on Fuchsia.\ncrbug.com/1267498 [ Fuchsia ] paint/invalidation/svg/animated-svg-as-image-transformed-offscreen.html [ Failure ]\ncrbug.com/1267498 [ Fuchsia ] compositing/layer-creation/fixed-position-out-of-view.html [ Failure ]\n\n# WebGPU tests are only run on GPU bots, so they are skipped by default and run\n# separately from other Web Tests.\nexternal/wpt/webgpu/* [ Skip ]\nwpt_internal/webgpu/* [ Skip ]\n\ncrbug.com/1018273 [ Mac ] compositing/gestures/gesture-tapHighlight-2-iframe-scrolled-inner.html [ Failure ]\n\n# Requires support of the image-resolution CSS property\ncrbug.com/1086473 external/wpt/css/css-images/image-resolution/* [ Skip ]\n\n# Fail due to lack of fuzzy matching on Linux, Win and Mac platforms for WPT. The pixels in the pre-rotated reference\n# images do not exactly match the exif rotated images, probably due to jpeg decoding/encoding issues. Maybe\n# adjusting the image size to a multiple of 8 would fix this (so all jpeg blocks are solid color).\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/svg-image-orientation-aspect-ratio.html [ Failure ]\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/image-orientation-background-properties.html [ Failure ]\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/image-orientation-background-properties-border-radius.html [ Failure ]\ncrbug.com/997202 external/wpt/density-size-correction/density-corrected-image-svg-aspect-ratio.html [ Failure ]\n\ncrbug.com/1159433 external/wpt/css/css-images/image-orientation/image-orientation-exif-png.html [ Failure ]\n\n# Ref results are wrong on the background and list case, not sure on border result\ncrbug.com/1076121 external/wpt/css/css-images/image-orientation/image-orientation-border-image.html [ Failure ]\n\n# object-fit is not applied for <object>/<embed>.\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-dyn-aspect-ratio-001.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-dyn-aspect-ratio-002.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-006o.html [ Failure ]\n\n# Minor rendering difference to the ref image because of filtering or positioning.\n# (Possibly because of the use of 'image-rendering: crisp-edges' in some cases.)\ncrbug.com/1174873 external/wpt/css/css-images/object-fit-cover-png-001c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-fit-cover-png-002c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002p.html [ Failure ]\n\n# The following fails because we don't use the natural aspect ratio when applying\n# object-fit, and the images referenced don't have a natural size.\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-003i.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-003p.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-004i.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-004p.html [ Failure ]\n\ncrbug.com/1042783 external/wpt/css/css-backgrounds/background-size/background-size-near-zero-png.html [ Failure ]\ncrbug.com/1042783 external/wpt/css/css-backgrounds/background-size/background-size-near-zero-svg.html [ Failure ]\ncrbug.com/935057 external/wpt/css/css-backgrounds/background-size-043.html [ Failure ]\ncrbug.com/935057 external/wpt/css/css-backgrounds/background-size-044.html [ Failure ]\n\n# Not obviously incorrect (minor pixel differences, likely due to filtering).\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-space-10.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-round-1.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-round-2.html [ Failure ]\n\n# Passes with the WPT runner but not the internal one. (???)\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1a.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1b.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1c.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-3.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-4.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-5.html [ Failure ]\n\n# Off-by-one in some components.\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-6.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-7.html [ Failure ]\n\ncrbug.com/667006 external/wpt/css/css-backgrounds/background-attachment-fixed-inside-transform-1.html [ Failure ]\n\n# Bug accidentally masked by using square mask geometry.\ncrbug.com/1155161 svg/masking/mask-of-root.html [ Failure ]\n\n# Failures due to pointerMove building synthetic events without button information (main thread only).\ncrbug.com/1056778 fast/scrolling/scrollbars/scrollbar-thumb-snapping.html [ Failure ]\n\n# Most of these fail due to subpixel differences, but a couple are real failures.\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-animation.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-canvas-parent.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-canvas-sibling.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-with-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-iframe-sibling.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-border-image.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/compositing_simple_div.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-simple.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-stacking-context-001.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-paragraph-background-image.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-intermediate-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-paragraph.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-both-parent-and-blended-with-3D-transform.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-svg.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-filter.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-with-3D-transform.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-script.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-iframe-parent.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-element-interposed.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-with-transform-and-preserve-3D.html [ Failure ]\ncrbug.com/1044742 [ Mac ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video.html [ Failure ]\ncrbug.com/1044742 [ Win ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-with-text.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-mask.html [ Failure ]\n\n# Minor pixel differences\ncrbug.com/1056492 external/wpt/svg/painting/reftests/marker-path-001.svg [ Failure ]\n\n# Slightly flaky timeouts (about 1 in 30)\ncrbug.com/1050993 [ Linux ] virtual/gpu-rasterization/images/drag-image-descendant-painting-sibling.html [ Crash Pass Timeout ]\n\n# Flaky test.\ncrbug.com/1054894 [ Mac ] http/tests/images/image-decode-in-frame.html [ Failure Pass ]\n\ncrbug.com/819617 [ Linux ] virtual/text-antialias/descent-clip-in-scaled-page.html [ Failure ]\n\n# ====== Paint team owned tests to here ======\n\ncrbug.com/1142958 external/wpt/layout-instability/absolute-child-shift-with-parent-will-change.html [ Failure ]\n\ncrbug.com/922249 virtual/android/fullscreen/compositor-touch-hit-rects-fullscreen-video-controls.html [ Failure Pass ]\n\n# ====== Layout team owned tests from here ======\n\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule3-outside-left-002.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule3-outside-right-002.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule7-outside-left-001.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule7-outside-right-001.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-wrap-bfc-006.xht [ Failure ]\n\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floating-replaced-height-008.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-108.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-109.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-110.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-126.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-127.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-128.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-129.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-130.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-131.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-137.xht [ Skip ]\n\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-001.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-002.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-003.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-005.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-006.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-paged-001.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-paged-002.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-003.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-005.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-020.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-021.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-022.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-034.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-035.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-036.xht [ Skip ]\n\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/block-in-inline-insert-001f.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/block-in-inline-insert-002f.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-002.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-003.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-004.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-005.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-003.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-004.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-005.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-006.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/max-width-applies-to-005.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/max-width-applies-to-006.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/replaced-intrinsic-001.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/replaced-intrinsic-002.xht [ Failure ]\n\ncrbug.com/716930 external/wpt/css/CSS2/normal-flow/block-in-inline-float-in-layer-001.html [ Failure ]\n\n#### external/wpt/css/css-sizing\ncrbug.com/1261306 external/wpt/css/css-sizing/aspect-ratio/flex-aspect-ratio-004.html [ Failure ]\ncrbug.com/970201 external/wpt/css/css-sizing/slice-intrinsic-size.html [ Failure ]\ncrbug.com/970201 external/wpt/css/css-sizing/clone-intrinsic-size.html [ Failure ]\n\ncrbug.com/1251634 external/wpt/css/css-text-decor/text-underline-offset-zero-position.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-subelements-002.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-subelements-003.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-color.html [ Failure ]\n\n#### Unprefix and update the implementation for text-emphasis\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-color-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-002.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-007.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-008.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-010.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-012.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-016.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-021.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-filled-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-open-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-shape-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-string-001.xht [ Failure ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-073-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-072-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-071-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-020-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-076-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-075-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-021-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-022-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-074-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-019-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-048-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-046a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-082-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-048a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-085-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-044-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-097a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-001-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-090-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-092-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-095-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-095a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-040a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-096a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-002-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-045-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-091-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-092a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-004-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-096-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-040-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-003-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-091a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-097-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-041-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-049-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-090a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-090a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-046a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-091-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-048a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-092a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-096-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-048-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-003-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-091a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-002-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-090-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-092-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-095a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-049-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-041-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-040a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-097-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-001-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-045-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-082-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-096a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-044-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-004-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-085-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-097a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-040-manual.html [ Skip ]\n\n# `text-decoration-skip-ink: all` not implemented yet.\ncrbug.com/1054656 external/wpt/css/css-text-decor/text-decoration-skip-ink-005.html [ Skip ]\n\ncrbug.com/722825 media/controls/video-enter-exit-fullscreen-while-hovering-shows-controls.html [ Pass Skip Timeout ]\n\n#### crbug.com/783229 overflow\ncrbug.com/724701 overflow/overflow-basic-004.html [ Failure ]\n\n# Temporary failure as trying to ship inline-end padding for overflow.\ncrbug.com/1245722 external/wpt/css/cssom-view/scrollWidthHeight.xht [ Failure ]\n\ncrbug.com/846753 [ Mac ] http/tests/media/reload-after-dialog.html [ Failure Pass Timeout ]\n\n### external/wpt/css/css-tables/\ncrbug.com/708345 external/wpt/css/css-tables/height-distribution/extra-height-given-to-all-row-groups-004.html [ Failure ]\ncrbug.com/694374 external/wpt/css/css-tables/anonymous-table-ws-001.html [ Failure ]\ncrbug.com/174167 external/wpt/css/css-tables/visibility-collapse-colspan-003.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-max-size-001.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-min-size-001.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-size-001.html [ Failure ]\ncrbug.com/910725 external/wpt/css/css-tables/tentative/paint/overflow-hidden-table.html [ Failure ]\n\n# [css-contain]\n\ncrbug.com/880802 external/wpt/css/css-contain/contain-layout-017.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-contain/contain-layout-breaks-002.html [ Failure ]\ncrbug.com/847274 external/wpt/css/css-contain/contain-paint-005.html [ Failure ]\ncrbug.com/847274 external/wpt/css/css-contain/contain-paint-006.html [ Failure ]\ncrbug.com/880802 external/wpt/css/css-contain/contain-paint-021.html [ Failure ]\ncrbug.com/882367 external/wpt/css/css-contain/contain-paint-clip-015.html [ Failure ]\ncrbug.com/882367 external/wpt/css/css-contain/contain-paint-clip-016.html [ Failure ]\ncrbug.com/1154574 external/wpt/css/css-contain/contain-size-monolithic-002.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-001.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-002.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-003.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-004.html [ Failure ]\n\n# [css-align]\n\ncrbug.com/722287 crbug.com/886585 external/wpt/css/css-flexbox/abspos/flex-abspos-staticpos-align-self-safe-001.html [ Failure ]\ncrbug.com/599828 external/wpt/css/css-flexbox/abspos/flex-abspos-staticpos-fallback-align-content-001.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-002.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-003.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-004.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-002.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-003.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-004.html [ Failure ]\n\n# [css-ui]\n# The `input-security` property not implemented yet.\ncrbug.com/1253732 external/wpt/css/css-ui/input-security-none-sensitive-text-input.html [ Failure ]\n# Layout team disagrees with the spec for this particular test.\ncrbug.com/591099 external/wpt/css/css-ui/text-overflow-015.html [ Failure ]\n\n# [css-flexbox]\n\ncrbug.com/807497 external/wpt/css/css-flexbox/anonymous-flex-item-005.html [ Failure ]\ncrbug.com/1155036 external/wpt/css/css-flexbox/contain-size-layout-abspos-flex-container-crash.html [ Crash Pass ]\ncrbug.com/1251689 external/wpt/css/css-flexbox/table-as-item-specified-width-vertical.html [ Failure ]\n\n# Needs \"new\" flex container intrinsic size algorithm.\ncrbug.com/240765 external/wpt/css/css-flexbox/flex-container-max-content-001.html [ Failure ]\ncrbug.com/240765 external/wpt/css/css-flexbox/flex-container-min-content-001.html [ Failure ]\n\n# These tests are in conflict with overflow-area-*, update them if our change is web compatible.\ncrbug.com/1069614 external/wpt/css/css-flexbox/scrollbars-auto.html [ Failure ]\ncrbug.com/1069614 external/wpt/css/css-flexbox/scrollbars.html [ Failure ]\ncrbug.com/1069614 css3/flexbox/overflow-and-padding.html [ Failure ]\n\n# These require css-align-3 positional keywords that Blink doesn't yet support for flexbox.\ncrbug.com/1011718 external/wpt/css/css-flexbox/flexbox-safe-overflow-position-001.html [ Failure ]\n\n# We don't support requesting flex line breaks and it is not clear that we should.\n# See https://lists.w3.org/Archives/Public/www-style/2015May/0065.html\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-horiz-001a.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-horiz-001b.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-vert-001a.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-vert-001b.html [ Failure ]\n\n# We don't currently support visibility: collapse in flexbox\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-baseline-001.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-001.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-002.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-003.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox_visibility-collapse-line-wrapping.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox_visibility-collapse.html [ Failure ]\n\ncrbug.com/606208 external/wpt/css/css-flexbox/order/order-abs-children-painting-order.html [ Failure ]\n# We paint in an incorrect order when layers are present. Blocked on composite-after-paint.\ncrbug.com/370604 external/wpt/css/css-flexbox/flexbox-paint-ordering-002.xhtml [ Failure ]\n\n# We haven't implemented last baseline alignment.\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-001a.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-001b.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-006.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-007.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-008.xhtml [ Failure ]\n\n# Bad test expectations, but we aren't sure if web compatible yet.\ncrbug.com/1114280 external/wpt/css/css-flexbox/flexbox-min-width-auto-005.html [ Failure ]\ncrbug.com/1114280 external/wpt/css/css-flexbox/flexbox-min-width-auto-006.html [ Failure ]\n\n# [css-lists]\ncrbug.com/1123457 external/wpt/css/css-lists/counter-list-item-2.html [ Failure ]\ncrbug.com/1066577 external/wpt/css/css-lists/li-value-reversed-005.html [ Failure ]\ncrbug.com/1066577 external/wpt/css/css-lists/li-value-reversed-004.html [ Failure ]\n\n# [css-counter-styles-3]\ncrbug.com/1176323 external/wpt/css/css-counter-styles/counter-style-prefix-suffix-syntax.html [ Failure ]\ncrbug.com/1176323 external/wpt/css/css-counter-styles/counter-style-symbols-syntax.html [ Failure ]\ncrbug.com/1218280 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/descriptor-pad.html [ Failure ]\ncrbug.com/1168277 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/disclosure-styles.html [ Failure ]\ncrbug.com/1176315 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/symbols-function.html [ Failure ]\n\n# [css-overflow]\n# Incorrect WPT tests.\ncrbug.com/993813 external/wpt/css/css-overflow/webkit-line-clamp-008.html [ Failure ]\ncrbug.com/993813 [ Mac ] external/wpt/css/css-overflow/webkit-line-clamp-025.html [ Failure ]\ncrbug.com/993813 external/wpt/css/css-overflow/webkit-line-clamp-029.html [ Failure ]\n\n# Lack of support for font-language-override\ncrbug.com/481430 external/wpt/css/css-fonts/font-language-override-01.html [ Failure ]\ncrbug.com/481430 external/wpt/css/css-fonts/font-language-override-02.html [ Failure ]\n\n# Support font-palette\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-3.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-4.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-5.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-6.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-7.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-8.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-9.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-13.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-16.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-17.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-18.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-19.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-22.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-add.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-modify.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-remove.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-add-2.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-add.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-delete.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-delete-2.html [ Timeout ]\n\n# Non standard -webkit-<generic font family name> values are web exposed\ncrbug.com/1065468 [ Mac10.15 ] external/wpt/css/css-fonts/generic-family-keywords-002.html [ Failure Timeout ]\n\n# Comparing variable font rendering to static font rendering fails on systems that use FreeType for variable fonts\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\n# Windows 10 bots are not on high enough a Windows version to render variable fonts in DirectWrite\ncrbug.com/1068947 [ Win10.20h2 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\n# Windows 10 bot upgrade now causes these failures on Windows-10-18363\ncrbug.com/1140324 [ Win10.20h2 ] external/wpt/css/css-text-decor/text-underline-offset-variable.html [ Failure ]\ncrbug.com/1143005 [ Win10.20h2 ] media/track/track-cue-rendering-vertical.html [ Failure ]\n\n# Tentative mansonry tests\ncrbug.com/1076027 external/wpt/css/css-grid/masonry/* [ Skip ]\n\n# external/wpt/css/css-fonts/... tests triaged away from the default WPT bug ID\ncrbug.com/1211460 external/wpt/css/css-fonts/alternates-order.html [ Failure ]\ncrbug.com/1204775 [ Linux ] external/wpt/css/css-fonts/animations/font-stretch-interpolation.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/font-family-name-025.html [ Failure ]\ncrbug.com/443467 external/wpt/css/css-fonts/font-feature-settings-descriptor-01.html [ Failure ]\ncrbug.com/819816 external/wpt/css/css-fonts/font-kerning-03.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-009.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-010.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-011.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-05.xht [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-06.xht [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-02.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-03.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-04.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-05.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-06.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-07.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-08.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-09.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-10.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-11.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-12.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-13.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-14.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-15.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-16.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-17.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-18.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-descriptor-01.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/font-variant-ligatures-11.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position-02.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position-03.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position.html [ Failure ]\ncrbug.com/1240186 [ Mac10.12 ] external/wpt/css/css-fonts/matching/range-descriptor-reversed.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/standard-font-family.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/system-ui-ar.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/system-ui-ur.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ja-vs-zh.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ja.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ur-vs-ar.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-zh.html [ Failure ]\ncrbug.com/1071114 [ Win7 ] external/wpt/css/css-fonts/variations/font-opentype-collections.html [ Timeout ]\n\n# ====== Layout team owned tests to here ======\n\n# ====== LayoutNG-only failures from here ======\n# LayoutNG - is a new layout system for Blink.\n\ncrbug.com/591099 css3/filters/composited-layer-child-bounds-after-composited-to-sw-shadow-change.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/boundary-shaping/boundary-shaping-009.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-009.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-010.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-011.html [ Failure ]\ncrbug.com/591099 fast/backgrounds/quirks-mode-line-box-backgrounds.html [ Failure ]\ncrbug.com/591099 fast/borders/inline-mask-overlay-image-outset-vertical-rl.html [ Failure ]\ncrbug.com/835484 fast/css/outline-narrowLine.html [ Failure ]\ncrbug.com/591099 fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-under.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects-continuation.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects-list-translate.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects.html [ Failure ]\ncrbug.com/889721 fast/inline/outline-continuations.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/font-format-support-color-cff2-vertical.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/whitespace/018.html [ Failure ]\ncrbug.com/591099 fast/writing-mode/auto-sizing-orthogonal-flows.html [ Failure ]\ncrbug.com/591099 fast/writing-mode/percentage-height-orthogonal-writing-modes.html [ Failure ]\ncrbug.com/835484 paint/invalidation/outline/inline-focus.html [ Failure ]\ncrbug.com/591099 paint/invalidation/scroll/fixed-under-composited-fixed-scrolled.html [ Failure ]\n\n# CSS Text failures\ncrbug.com/316409 external/wpt/css/css-text/text-justify/text-justify-and-trailing-spaces-003.html [ Failure ]\ncrbug.com/750990 external/wpt/css/css-text/text-transform/text-transform-upperlower-105.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-026.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-028.html [ Failure ]\ncrbug.com/602434 external/wpt/css/css-text/text-transform/text-transform-tailoring-001.html [ Failure ]\ncrbug.com/750990 external/wpt/css/css-text/text-transform/text-transform-upperlower-006.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-multiple-001.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-033.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-bidi-002.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-nesting-002.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-nesting-001.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-bidi-001.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-end-of-line-001.html [ Failure ]\ncrbug.com/1098801 external/wpt/css/css-text/overflow-wrap/overflow-wrap-normal-keep-all-001.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-012.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-013.html [ Failure ]\ncrbug.com/1219041 external/wpt/css/CSS2/text/white-space-nowrap-attribute-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-collapse-preserve-breaks-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-collapse-discard-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-trim-trim-inner-001.xht [ Failure ]\n\n# LayoutNG ref-tests that need to be updated (cannot be rebaselined).\ncrbug.com/591099 [ Linux ] fast/multicol/newmulticol/hide-box-vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/newmulticol/hide-box-vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/span/vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/span/vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/column-break-with-balancing.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/column-break-with-balancing.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/column-count-with-rules.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/column-rules.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/column-rules.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-avoidance.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-avoidance.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-big-line.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-break.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-break.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-content-break.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-edge.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-paginate.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-paginate.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/nested-columns.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/nested-columns.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/unsplittable-inline-block.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/unsplittable-inline-block.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/ellipsis-with-self-painting-layer.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/file-upload-as-multicol.html [ Failure ]\ncrbug.com/1098801 virtual/text-antialias/whitespace/whitespace-in-pre.html [ Failure ]\n\n# LayoutNG failures that needs to be triaged\ncrbug.com/591099 virtual/text-antialias/selection/selection-rect-line-height-too-small.html [ Failure ]\ncrbug.com/591099 fast/css-intrinsic-dimensions/width-avoid-floats.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/selectors/shadow-host-div-with-span.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/selectors/shadow-host-div-with-span.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/selectors/shadow-host-div-with-text.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/selectors/shadow-host-div-with-text.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/selection/inline-block-in-selection-root.html [ Failure ]\ncrbug.com/591099 editing/selection/paint-hyphen.html [ Failure Pass ]\ncrbug.com/591099 external/wpt/dom/ranges/Range-compareBoundaryPoints.html [ Failure Pass Skip Timeout ]\ncrbug.com/591099 [ Mac ] virtual/text-antialias/international/shape-across-elements-simple.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/international/shape-across-elements-simple.html [ Failure ]\ncrbug.com/591099 [ Mac ] virtual/text-antialias/word-space-monospace.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/word-space-monospace.html [ Failure ]\ncrbug.com/591099 [ Mac ] css2.1/t1202-counter-09-b.html [ Failure ]\ncrbug.com/591099 [ Mac ] css2.1/t1202-counters-09-b.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/CSS2/text/white-space-bidirectionality-001.xht [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-multicol/multicol-span-all-list-item-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-multicol/multicol-span-all-list-item-002.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-002.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-003.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00C.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/word-break/word-break-break-all-004.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-transforms/transform-inline-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-ui/text-overflow-027.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-ui/text-overflow-028.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-embed-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-isolate-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-normal-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-override-006.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-plaintext-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/content-counter-010.htm [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/content/content-quotes-07.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/css-properties-position-relative-as-parent-fixed.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css3-text/css3-text-justify/text-justify-crash.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/forms/text/text-lineheight-centering.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/column-count-with-rules.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-big-line.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-content-break.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-edge.html [ Failure ]\ncrbug.com/591099 [ Mac ] paint/invalidation/box/hover-pseudo-borders.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-auto.html [ Failure ]\ncrbug.com/591099 [ Mac ] paint/invalidation/flexbox/remove-inline-block-descendant-of-flex.html [ Failure ]\n\n# A few other lines for this test are commented out above to avoid conflicting expectations.\n# If they are not also fixed, reinstate them when removing these lines.\ncrbug.com/982211 fast/events/before-unload-return-value-from-listener.html [ Crash Pass Timeout ]\n\n# WPT css-writing-mode tests failing for various reasons beyond simple pixel diffs\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-005.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-003.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-014.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-013.html [ Failure ]\ncrbug.com/717862 [ Mac ] external/wpt/css/css-writing-modes/mongolian-orientation-002.html [ Failure ]\ncrbug.com/717862 external/wpt/css/css-writing-modes/mongolian-orientation-001.html [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vlr-in-htb-008.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vlr-in-htb-020.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vrl-in-htb-008.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vrl-in-htb-020.xht [ Failure ]\n\n### With LayoutNGFragmentItem enabled\ncrbug.com/982194 [ Win7 ] external/wpt/css/css-text/white-space/seg-break-transformation-018.tentative.html [ Failure ]\ncrbug.com/982194 [ Win10.20h2 ] fast/writing-mode/border-image-vertical-lr.html [ Failure Pass ]\n\n### Tests passing with LayoutNGBlockFragmentation enabled:\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/abspos-in-opacity-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/avoid-border-break.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/box-shadow.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/forced-break-at-fragmentainer-start-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow-rl.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-029.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-030.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-032.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-034.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-035.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-036.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-038.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-039.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-040.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-041.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-042.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-043.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-044.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-045.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-046.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-047.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-052.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-054.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-057.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-058.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-059.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-060.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-061.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-062.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-063.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-065.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-066.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-071.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-073.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflowed-block-with-no-room-after-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflowed-block-with-no-room-after-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/relpos-inline-hit-testing.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/relpos-inline.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/ruby-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/trailing-child-margin-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/trailing-child-margin-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-contain/contain-size-monolithic-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-ltr-rtl-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-rtl-ltr-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-rtl-rtl-in-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-ltr-rtl-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-rtl-ltr-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-rtl-rtl-in-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-ltr-rtl-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-rtl-ltr-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-rtl-rtl-in-multicols.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-ltr-rtl-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-rtl-ltr-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-rtl-rtl-in-multicols.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/abspos-containing-block-outside-spanner.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/balance-break-avoidance-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/balance-orphans-widows-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/fixed-in-multicol-with-transform-container.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/hit-test-transformed-child.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-013.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-014.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-list-item-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-list-item-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-013.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-015.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-016.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-017.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-018.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-022.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-023.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-oof-inline-cb-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-oof-inline-cb-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-rule-nested-balancing-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-scroll-content.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-014.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-015.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-017.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-margin-bottom-001.xht [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-001.xht [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/nested-at-outer-boundary-as-fieldset.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/nested-with-too-tall-line.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/non-adjacent-spanners-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/orthogonal-writing-mode-spanner.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-011.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/file-upload-as-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/newmulticol/hide-box-vertical-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/span/vertical-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-break-with-balancing.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-count-with-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-avoidance.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-big-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-content-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-edge.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-paginate.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/nested-columns.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/unsplittable-inline-block.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/column-count-with-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-big-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-content-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-edge.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/nested-columns.html [ Pass ]\n\n### Tests failing with LayoutNGBlockFragmentation enabled:\ncrbug.com/1225630 virtual/layout_ng_block_frag/external/wpt/css/css-multicol/large-actual-column-count.html [ Skip ]\ncrbug.com/1066629 virtual/layout_ng_block_frag/fast/multicol/hit-test-translate-z.html [ Failure ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/infinite-height-causing-fractional-row-height-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/infinitely-tall-content-in-outer-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/insane-column-count-and-padding-nested-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/nested-very-tall-inside-short-crash.html [ Skip ]\ncrbug.com/1242348 virtual/layout_ng_block_frag/fast/multicol/tall-line-in-short-block.html [ Failure ]\n\n# Just skip this for Mac11-arm64. It's super-flaky. Not block fragmentation-related.\ncrbug.com/1262048 [ Mac11-arm64 ] virtual/layout_ng_block_frag/* [ Skip ]\n\n### Tests passing with LayoutNGFlexFragmentation enabled:\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-003.html [ Pass ]\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-004.html [ Pass ]\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-007.tentative.html [ Pass ]\n\n### Tests failing with LayoutNGFlexFragmentation enabled:\ncrbug.com/660611 virtual/layout_ng_flex_frag/fast/multicol/flexbox/doubly-nested-with-zero-width-flexbox-and-forced-break-crash.html [ Skip ]\ncrbug.com/660611 virtual/layout_ng_flex_frag/fast/multicol/flexbox/flexbox.html [ Failure ]\n\n### Tests passing with LayoutNGGridFragmentation enabled:\nvirtual/layout_ng_grid_frag/external/wpt/css/css-break/grid/grid-item-fragmentation-020.html [ Pass ]\n\n### With LayoutNGPrinting enabled:\n\ncrbug.com/1121942 virtual/layout_ng_printing/printing/fixed-positioned-child-repeats-even-when-html-and-body-are-zero-height.html [ Crash Pass ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/fixed-positioned-child-shouldnt-print.html [ Crash Pass ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/frameset.html [ Failure ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/webgl-oversized-printing.html [ Skip ]\n\n### Textarea NG\ncrbug.com/1140307 accessibility/inline-text-textarea.html [ Failure ]\n\n### TablesNG\n# crbug.com/958381\n\n# TODO fails because cell size with only input element is 18px, not 15. line-height: 0px fixes it.\ncrbug.com/1171616 external/wpt/css/css-tables/height-distribution/percentage-sizing-of-table-cell-children.html [ Failure ]\n\n# Composited background painting leaves gaps.\ncrbug.com/958381 fast/table/border-collapsing/composited-cell-collapsed-border.html [ Failure ]\ncrbug.com/958381 fast/table/border-collapsing/composited-row-collapsed-border.html [ Failure ]\n\n# Rowspanned cell overflows TD visible rect.\ncrbug.com/958381 external/wpt/css/css-tables/visibility-collapse-rowspan-005.html [ Failure ]\n\n# Mac failures - antialiasing of ref\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-087.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-088.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-089.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-090.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-091.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-092.xht [ Failure ]\ncrbug.com/958381 [ Mac ] virtual/text-antialias/hyphen-min-preferred-width.html [ Failure ]\ncrbug.com/958381 [ Win ] virtual/text-antialias/hyphen-min-preferred-width.html [ Failure ]\ncrbug.com/958381 [ Mac ] fragmentation/single-line-cells-paginated-with-text.html [ Failure ]\n\n# TablesNG ends\n\n# ====== LayoutNG-only failures until here ======\n\n# ====== MathMLCore-only tests from here ======\n\n# These tests fail because we don't support MathML ink metrics.\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-001.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-002.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-003.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-004.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-005.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-006.html [ Failure ]\n\n# This test fail because we don't properly center elements in MathML tables.\ncrbug.com/1125111 external/wpt/mathml/presentation-markup/tables/table-003.html [ Failure ]\n\n# These tests fail because some CSS properties affect MathML layout.\ncrbug.com/1227601 external/wpt/mathml/relations/css-styling/ignored-properties-001.html [ Failure Timeout ]\ncrbug.com/1227598 external/wpt/mathml/relations/css-styling/width-height-001.html [ Failure ]\n\n# This test has flaky timeout.\ncrbug.com/1093840 external/wpt/mathml/relations/html5-tree/math-global-event-handlers.tentative.html [ Pass Timeout ]\n\n# These tests fail because we don't parse math display values according to the spec.\ncrbug.com/1127222 external/wpt/mathml/presentation-markup/mrow/legacy-mrow-like-elements-001.html [ Failure ]\n\n# This test fails on windows. It should really be made more reliable and take\n# into account fallback parameters.\ncrbug.com/6606 [ Win ] external/wpt/mathml/presentation-markup/fractions/frac-1.html [ Failure ]\n\n# Tests failing only on certain platforms.\ncrbug.com/6606 [ Win ] external/wpt/mathml/presentation-markup/operators/mo-axis-height-1.html [ Failure ]\ncrbug.com/6606 [ Mac ] external/wpt/mathml/relations/text-and-math/use-typo-metrics-1.html [ Failure ]\n\n# These tests fail because we don't support the MathML href attribute, which is\n# not part of MathML Core Level 1.\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-1.html [ Failure ]\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-2.html [ Failure ]\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-3.html [ Failure ]\n\n# These tests fail because they require full support for new text-transform\n# values and mathvariant attribute. Currently, we only support the new\n# text-transform: auto, use the UA rule for the <mi> element and map\n# mathvariant=\"normal\" to \"text-transform: none\".\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-fraktur-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-sans-serif-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-script-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-double-struck-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-fraktur-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-initial-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-looped-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-monospace-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-bold-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-script-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-stretched-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-tailed-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-fraktur.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-sans-serif.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-script.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-case-sensitivity.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-double-struck.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-fraktur.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-initial.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-looped.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-monospace.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif-bold-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-script.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-stretched.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-tailed.html [ Failure ]\n\n# ====== Style team owned tests from here ======\n\ncrbug.com/753671 external/wpt/css/css-content/quotes-001.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.15 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac11 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac ] external/wpt/css/css-content/quotes-009.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-013.html [ Failure ]\ncrbug.com/753671 [ Mac ] external/wpt/css/css-content/quotes-014.html [ Failure ]\ncrbug.com/753671 [ Mac10.15 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/753671 [ Mac11 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-021.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-022.html [ Failure ]\n\ncrbug.com/995106 external/wpt/css/css-lists/inline-block-list.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-block-list-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list-with-table-child.html [ Failure ]\ncrbug.com/1012289 external/wpt/css/css-lists/list-style-type-string-005b.html [ Failure ]\n\n# css-pseudo\ncrbug.com/1163437 external/wpt/css/css-pseudo/grammar-spelling-errors-001.html [ Failure ]\ncrbug.com/1163437 external/wpt/css/css-pseudo/grammar-spelling-errors-002.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-001.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-002.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-003.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-004.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-pseudo/first-letter-exclude-inline-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-pseudo/first-letter-exclude-inline-child-marker.html [ Failure ]\ncrbug.com/1172333 external/wpt/css/css-pseudo/first-letter-digraph.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-001.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-004.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-001.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-004.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/target-text-004.html [ Failure ]\ncrbug.com/1179938 external/wpt/css/css-pseudo/target-text-006.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-001.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-002.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-003.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-004.html [ Failure ]\n\ncrbug.com/1205953 external/wpt/css/css-will-change/will-change-fixpos-cb-position-1.html [ Failure ]\ncrbug.com/1207788 external/wpt/css/css-will-change/will-change-stacking-context-mask-1.html [ Failure ]\n\n# color() function not implemented\ncrbug.com/1068610 external/wpt/css/css-color/predefined-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-011.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-007.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-012.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-016.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-006.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-009.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-010.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/lab-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/lch-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-005.html [ Failure ]\n\n# @supports\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-040.xht [ Failure ]\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-041.xht [ Failure ]\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-042.xht [ Failure ]\n\n# @container\n# The container-queries/ tests are only valid when the runtime flag\n# CSSContainerQueries is enabled.\n#\n# The css-contain/ tests are only valid when the runtime flag CSSContainSize1D\n# is enabled.\n#\n# Both these flags are enabled in virtual/container-queries/\ncrbug.com/1145970 wpt_internal/css/css-conditional/container-queries/* [ Skip ]\ncrbug.com/1146092 wpt_internal/css/css-contain/* [ Skip ]\ncrbug.com/1145970 virtual/container-queries/* [ Pass ]\ncrbug.com/1249468 virtual/container-queries/wpt_internal/css/css-conditional/container-queries/block-size-and-min-height.html [ Failure ]\ncrbug.com/829028 virtual/container-queries/wpt_internal/css/css-contain/multicol-block-size.html [ Failure ]\ncrbug.com/829028 virtual/container-queries/wpt_internal/css/css-contain/multicol-inline-size.html [ Failure ]\n\n# CSS Scrollbars\ncrbug.com/891944 external/wpt/css/css-scrollbars/textarea-scrollbar-width-none.html [ Failure ]\ncrbug.com/891944 external/wpt/css/css-scrollbars/transparent-on-root.html [ Failure ]\n# Incorrect native scrollbar repaint\ncrbug.com/891944 [ Mac ] external/wpt/css/css-scrollbars/scrollbar-width-paint-001.html [ Failure ]\n\n# css-variables\n\ncrbug.com/1220145 external/wpt/css/css-variables/variable-declaration-29.html [ Failure ]\ncrbug.com/1220145 external/wpt/css/css-variables/variable-supports-58.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-declaration-07.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-declaration-09.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-reference-06.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-reference-11.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-05.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-07.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-37.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-39.html [ Failure ]\ncrbug.com/1220149 external/wpt/css/css-variables/variable-supports-57.html [ Failure ]\n\n# css-nesting\ncrbug.com/1095675 external/wpt/css/selectors/nesting.html [ Failure ]\n\n# ====== Style team owned tests to here ======\n\n# Failing WPT html/semantics/* tests. Not all have been investigated.\ncrbug.com/1233659 external/wpt/html/semantics/embedded-content/the-embed-element/embed-represent-nothing-04.html [ Failure ]\ncrbug.com/1234202 external/wpt/html/semantics/embedded-content/the-video-element/video_initially_paused.html [ Failure ]\ncrbug.com/1234841 external/wpt/html/semantics/grouping-content/the-li-element/grouping-li-reftest-list-owner-menu.html [ Failure ]\ncrbug.com/1234841 external/wpt/html/semantics/grouping-content/the-li-element/grouping-li-reftest-list-owner-skip-no-boxes.html [ Failure ]\ncrbug.com/1167095 external/wpt/html/semantics/forms/form-submission-0/text-plain.window.html [ Pass Timeout ]\ncrbug.com/853146 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_allow_top_navigation-1.html [ Timeout ]\ncrbug.com/853146 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_allow_top_navigation-3.html [ Timeout ]\ncrbug.com/1132413 external/wpt/html/semantics/scripting-1/the-script-element/json-module/parse-error.html [ Timeout ]\ncrbug.com/1232504 external/wpt/html/semantics/embedded-content/media-elements/src_object_blob.html [ Timeout ]\ncrbug.com/1232504 [ Win ] external/wpt/html/semantics/embedded-content/media-elements/ready-states/autoplay-hidden.optional.html [ Timeout ]\ncrbug.com/1234199 [ Linux ] external/wpt/html/semantics/embedded-content/the-object-element/object-events.html [ Skip ]\ncrbug.com/1234199 [ Mac ] external/wpt/html/semantics/embedded-content/the-object-element/object-events.html [ Skip ]\ncrbug.com/1232504 [ Mac11 ] external/wpt/html/semantics/embedded-content/media-elements/interfaces/TextTrackCue/endTime.html [ Failure Timeout ]\ncrbug.com/1232504 [ Mac11 ] external/wpt/html/semantics/embedded-content/media-elements/preserves-pitch.html [ Timeout ]\n\n# XML nodes aren't match by .class selectors:\ncrbug.com/649444 external/wpt/css/selectors/xml-class-selector.xml [ Failure ]\n\n# Bug in <select multiple> tap behavior:\ncrbug.com/1045672 fast/forms/select/listbox-tap.html [ Failure ]\n\n### sheriff 2019-07-16\ncrbug.com/983799 [ Win ] http/tests/navigation/redirect-on-back-updates-history-item.html [ Pass Timeout ]\n\n### sheriff 2018-05-28\n\ncrbug.com/767269 [ Win ] inspector-protocol/layout-fonts/cjk-ideograph-fallback-by-lang.js [ Failure Pass ]\n\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile-blink-gc.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile-blink-gc.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile-partition-alloc.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile-partition-alloc.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-snapshot.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-snapshot.js [ Skip ]\n\n# For win10, see crbug.com/955109\ncrbug.com/538697 [ Win ] printing/webgl-oversized-printing.html [ Crash Failure ]\n\ncrbug.com/904592 css3/filters/backdrop-filter-svg.html [ Failure ]\ncrbug.com/904592 [ Linux ] virtual/scalefactor200/css3/filters/backdrop-filter-svg.html [ Pass ]\ncrbug.com/904592 [ Win ] virtual/scalefactor200/css3/filters/backdrop-filter-svg.html [ Pass ]\n\ncrbug.com/280342 http/tests/media/progress-events-generated-correctly.html [ Failure Pass ]\n\ncrbug.com/520736 [ Win7 ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\ncrbug.com/520736 [ Linux ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\ncrbug.com/909095 [ Mac ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\n\n# Hiding video::-webkit-media-controls breaks --force-overlay-fullscreen-video.\ncrbug.com/1093447 virtual/android/fullscreen/rendering/backdrop-video.html [ Failure ]\n\n# gpuBenchmarking.pinchBy is busted on desktops for touchscreen pinch\ncrbug.com/787615 [ Win ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Failure Pass ]\ncrbug.com/787615 [ Win ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Failure Pass ]\ncrbug.com/787615 [ Linux ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Failure Pass ]\n\n# gpuBenchmarking.pinchBy is not implemented on Mac for touchscreen pinch\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-out-slow.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow-desktop.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-desktop.html [ Skip ]\n\ncrbug.com/520188 [ Win ] http/tests/local/fileapi/file-last-modified-after-delete.html [ Failure Pass ]\ncrbug.com/520611 [ Debug ] fast/filesystem/workers/file-writer-events-shared-worker.html [ Failure Pass ]\ncrbug.com/520194 http/tests/xmlhttprequest/timeout/xmlhttprequest-timeout-worker-overridesexpires.html [ Failure Pass ]\n\ncrbug.com/892032 fast/events/wheel/wheel-latched-scroll-node-removed.html [ Failure Pass ]\n\ncrbug.com/1051136 fast/forms/select/listbox-overlay-scrollbar.html [ Failure ]\n\n# These performance-sensitive user-timing tests are flaky in debug on all platforms, and flaky on all configurations of windows.\n# See: crbug.com/567965, crbug.com/518992, and crbug.com/518993\n\ncrbug.com/432129 html/marquee/marquee-scroll.html [ Failure Pass ]\ncrbug.com/326139 crbug.com/390125 media/video-frame-accurate-seek.html [ Failure Pass ]\ncrbug.com/421283 html/marquee/marquee-scrollamount.html [ Failure Pass ]\n\n# TODO(oshima): Mac Android are currently not supported.\ncrbug.com/567837 [ Mac ] virtual/scalefactor200withzoom/fast/hidpi/static/* [ Skip ]\n\n# TODO(oshima): Move the event scaling code to eventSender and remove this.\ncrbug.com/567837 virtual/scalefactor200/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 virtual/scalefactor200/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 virtual/scalefactor200withzoom/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/mousewheel-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/mousewheel-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\n\n# TODO(ojan): These tests aren't flaky. See crbug.com/517144.\n# Release trybots run asserts, but the main waterfall ones don't. So, even\n# though this is a non-flaky assert failure, we need to mark it [ Pass Crash ].\ncrbug.com/389648 crbug.com/517123 crbug.com/410145 fast/text-autosizing/table-inflation-crash.html [ Crash Pass Timeout ]\n\ncrbug.com/876732 [ Win ] fast/dom/HTMLImageElement/image-srcset-w-onerror.html [ Failure Pass ]\n\n# Only virtual/threaded version of these tests pass (or running them with --enable-threaded-compositing).\ncrbug.com/936891 fast/scrolling/document-level-touchmove-event-listener-passive-by-default.html [ Failure ]\ncrbug.com/936891 virtual/threaded-prefer-compositing/fast/scrolling/document-level-touchmove-event-listener-passive-by-default.html [ Pass ]\n\ncrbug.com/498539 http/tests/devtools/tracing/timeline-misc/timeline-bound-function.js [ Failure Pass ]\n\ncrbug.com/498539 crbug.com/794869 crbug.com/798548 crbug.com/946716 http/tests/devtools/elements/styles-4/styles-update-from-js.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/889952 fast/selectors/selection-window-inactive.html [ Failure Pass ]\n\ncrbug.com/731731 inspector-protocol/layers/paint-profiler-load-empty.js [ Failure Pass ]\ncrbug.com/1107923 inspector-protocol/debugger/wasm-streaming-url.js [ Failure Pass Timeout ]\n\n# Script let/const redeclaration errors\ncrbug.com/1042162 http/tests/inspector-protocol/console/console-let-const-with-api.js [ Failure Pass ]\n\n# Will be re-enabled and rebaselined once we remove the '--enable-file-cookies' flag.\ncrbug.com/470482 fast/cookies/local-file-can-set-cookies.html [ Skip ]\n\n# Text::inDocument() returns false but should not.\ncrbug.com/264138 dom/legacy_dom_conformance/xhtml/level3/core/nodecomparedocumentposition38.xhtml [ Failure ]\n\ncrbug.com/411164 [ Win ] http/tests/security/powerfulFeatureRestrictions/serviceworker-on-insecure-origin.html [ Pass ]\n\ncrbug.com/686118 http/tests/security/setDomainRelaxationForbiddenForURLScheme.html [ Crash Pass ]\n\n# Flaky tests on Mac after enabling scroll animations in web_tests\ncrbug.com/944583 [ Mac ] fast/events/keyboard-scroll-by-page.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-xy-in-scrolling-div.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-xy-in-scrolling-page.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/space-scroll-textinput-canceled.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/scrolling/percentage-mousewheel-scroll-on-iframe.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/scrolling/percentage-mousewheel-scroll.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-x-in-scrolling-page.html [ Failure Pass Timeout ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-y-in-scrolling-page.html [ Failure Pass Timeout ]\n# Sheriff: 2020-05-18\ncrbug.com/1083820 [ Mac ] fast/scrolling/document-level-wheel-event-listener-passive-by-default.html [ Failure Pass ]\n\n# In external/wpt/html/, we prefer checking in failure\n# expectation files. The following tests with [ Failure ] don't have failure\n# expectation files because they contain local path names.\n# Use crbug.com/490511 for untriaged failures.\ncrbug.com/749492 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/009.html [ Skip ]\ncrbug.com/490511 external/wpt/html/browsers/offline/application-cache-api/api_update.https.html [ Failure Pass ]\ncrbug.com/108417 external/wpt/html/rendering/non-replaced-elements/tables/table-border-1.html [ Failure ]\ncrbug.com/490511 external/wpt/html/rendering/non-replaced-elements/the-hr-element-0/color.html [ Failure ]\ncrbug.com/490511 external/wpt/html/rendering/non-replaced-elements/the-hr-element-0/width.html [ Failure ]\ncrbug.com/692560 external/wpt/html/semantics/document-metadata/styling/LinkStyle.html [ Failure Pass ]\n\ncrbug.com/860211 [ Mac ] external/wpt/editing/run/delete.html [ Failure ]\n\ncrbug.com/821455 editing/pasteboard/drag-files-to-editable-element.html [ Failure ]\n\ncrbug.com/1170052 external/wpt/mediacapture-streams/MediaStreamTrack-MediaElement-disabled-audio-is-silence.https.html [ Pass Timeout ]\ncrbug.com/1174937 virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-clone.https.html [ Crash ]\ncrbug.com/1174937 external/wpt/mediacapture-streams/MediaStream-clone.https.html [ Crash ]\n\ncrbug.com/766135 fast/dom/Window/redirect-with-timer.html [ Pass Timeout ]\n\n# Ref tests that needs investigation.\ncrbug.com/404597 fast/forms/long-text-in-input.html [ Skip ]\ncrbug.com/552494 virtual/prefer_compositing_to_lcd_text/scrollbars/overflow-scrollbar-combinations.html [ Failure Pass ]\n\ncrbug.com/305376 external/wpt/css/css-overflow/webkit-line-clamp-018.html [ Failure ]\ncrbug.com/305376 external/wpt/css/css-overflow/webkit-line-clamp-024.html [ Failure ]\n\ncrbug.com/745905 external/wpt/css/css-ui/text-overflow-021.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-rtl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-lr-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-lr-rtl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-rl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-rl-rtl-001.html [ Failure ]\n\ncrbug.com/1067031 external/wpt/css/css-overflow/webkit-line-clamp-035.html [ Failure ]\n\ncrbug.com/424365 external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-024.html [ Failure ]\ncrbug.com/441840 [ Win ] external/wpt/css/css-shapes/shape-outside/values/shape-margin-001.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-circle-004.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-circle-005.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-ellipse-004.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-ellipse-005.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-inset-003.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-polygon-004.html [ Failure ]\ncrbug.com/441840 [ Win ] external/wpt/css/css-shapes/shape-outside/values/shape-outside-shape-arguments-000.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-008.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-006.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-005.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-016.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-013.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-011.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-014.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-012.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-015.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-010.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-009.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-043.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-048.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-023.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-027.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-022.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-008.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/polygon/shape-outside-polygon-024.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-011.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-046.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-052.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-051.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-010.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-026.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-012.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-049.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-047.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-009.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-053.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-050.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-006.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-037.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/polygon/shape-outside-polygon-025.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-007.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-005.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-007.html [ Failure ]\n\ncrbug.com/1024331 external/wpt/css/css-text/hyphens/hyphens-out-of-flow-001.html [ Failure ]\ncrbug.com/1024331 external/wpt/css/css-text/hyphens/hyphens-out-of-flow-002.html [ Failure ]\ncrbug.com/1140728 external/wpt/css/css-text/hyphens/hyphens-span-002.html [ Failure ]\ncrbug.com/1139693 virtual/text-antialias/hyphens/midword-break-priority.html [ Failure ]\n\ncrbug.com/1250257 external/wpt/css/css-text/tab-size/tab-size-block-ancestor.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-001.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-002.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-003.html [ Failure ]\ncrbug.com/970200 external/wpt/css/css-text/text-indent/text-indent-tab-positions-001.html [ Failure ]\ncrbug.com/1030452 external/wpt/css/css-text/text-transform/text-transform-upperlower-016.html [ Failure ]\n\ncrbug.com/1008029 [ Mac ] external/wpt/css/css-text/white-space/pre-wrap-018.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-019.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/textarea-pre-wrap-012.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/textarea-pre-wrap-013.html [ Failure ]\n\n# Handling of trailing other space separator\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-001.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-002.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-003.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-004.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-ideographic-space-001.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-ideographic-space-002.html [ Failure ]\n\ncrbug.com/1162836 external/wpt/css/css-text/white-space/full-width-leading-spaces-004.html [ Failure ]\n\n# Follow up the spec change for U+2010, U+2013\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-loose-hyphens-001.html [ Failure ]\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-normal-hyphens-002.html [ Failure ]\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-strict-hyphens-002.html [ Failure ]\n\n# Inseparable characters\ncrbug.com/1091631 external/wpt/css/css-text/line-break/line-break-normal-015a.xht [ Failure ]\ncrbug.com/1091631 external/wpt/css/css-text/line-break/line-break-strict-015a.xht [ Failure ]\n\n# Link event firing\ncrbug.com/922618 external/wpt/html/semantics/document-metadata/the-link-element/link-multiple-error-events.html [ Timeout ]\ncrbug.com/922618 external/wpt/html/semantics/document-metadata/the-link-element/link-multiple-load-events.html [ Timeout ]\n\n# crbug.com/1095379: These are flaky-slow, but are already present in SlowTests\ncrbug.com/73609 http/tests/media/video-play-stall.html [ Pass Skip Timeout ]\ncrbug.com/518987 http/tests/xmlhttprequest/navigation-abort-detaches-frame.html [ Pass Skip Timeout ]\ncrbug.com/538717 [ Win ] http/tests/permissions/chromium/test-request-worker.html [ Pass Skip Timeout ]\ncrbug.com/802029 [ Debug Mac10.13 ] fast/dom/shadow/focus-controller-recursion-crash.html [ Pass Skip Timeout ]\ncrbug.com/829740 fast/history/history-back-twice-with-subframes-assert.html [ Pass Skip Timeout ]\ncrbug.com/836783 fast/peerconnection/RTCRtpSender-setParameters.html [ Pass Skip Timeout ]\n\n# crbug.com/1218715 This fails when PartitionConnectionsByNetworkIsolationKey is enabled.\ncrbug.com/1218715 external/wpt/content-security-policy/reporting-api/reporting-api-works-on-frame-ancestors.https.sub.html [ Failure ]\n\n# Sheriff 2021-05-25\ncrbug.com/1209900 fast/peerconnection/RTCPeerConnection-reload-sctptransport.html [ Failure Pass ]\n\ncrbug.com/846981 fast/webgl/texImage-imageBitmap-from-imageData-resize.html [ Pass Skip Timeout ]\n\n# crbug.com/1095379: These fail with a timeout, even when they're given extra time (via SlowTests)\ncrbug.com/846656 external/wpt/css/selectors/focus-visible-002.html [ Pass Skip Timeout ]\ncrbug.com/1135405 http/tests/devtools/sources/debugger-pause/debugger-pause-infinite-loop.js [ Pass Skip Timeout ]\ncrbug.com/1018064 [ Mac ] virtual/threaded/http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-end-to-end.js [ Pass Skip Timeout ]\ncrbug.com/1034789 [ Mac ] http/tests/security/frameNavigation/xss-ALLOWED-parent-navigation-change-async.html [ Pass Timeout ]\ncrbug.com/1105957 [ Debug Linux ] fast/dom/cssTarget-crash.html [ Pass Timeout ]\ncrbug.com/915903 http/tests/security/inactive-document-with-empty-security-origin.html [ Pass Timeout ]\ncrbug.com/1146221 [ Linux ] http/tests/devtools/sources/debugger-ui/debugger-inline-values.js [ Pass Skip Timeout ]\ncrbug.com/1146221 [ Mac11-arm64 ] http/tests/devtools/sources/debugger-ui/debugger-inline-values.js [ Pass Skip Timeout ]\ncrbug.com/987138 [ Linux ] media/controls/doubletap-to-jump-forwards.html [ Pass Timeout ]\ncrbug.com/987138 [ Win ] media/controls/doubletap-to-jump-forwards.html [ Pass Timeout ]\ncrbug.com/1122742 http/tests/devtools/sources/debugger/source-frame-inline-breakpoint-decorations.js [ Pass Skip Timeout ]\ncrbug.com/867532 [ Linux ] http/tests/workers/worker-usecounter.html [ Pass Timeout ]\ncrbug.com/1002377 external/wpt/service-workers/service-worker/update-bytecheck.https.html [ Pass Skip Timeout ]\ncrbug.com/1002377 external/wpt/service-workers/service-worker/update-bytecheck-cors-import.https.html [ Pass Skip Timeout ]\ncrbug.com/805756 external/wpt/html/semantics/tabular-data/processing-model-1/span-limits.html [ Pass Skip Timeout ]\n\n# crbug.com/1218716: These fail when TrustTokenOriginTrial is enabled.\ncrbug.com/1218716 external/wpt/trust-tokens/trust-token-parameter-validation-xhr.tentative.https.html [ Failure ]\ncrbug.com/1218716 external/wpt/trust-tokens/trust-token-parameter-validation.tentative.https.html [ Failure ]\ncrbug.com/1218716 external/wpt/feature-policy/experimental-features/trust-token-redemption-default-feature-policy.tentative.https.sub.html [ Failure ]\ncrbug.com/1218716 external/wpt/feature-policy/experimental-features/trust-token-redemption-supported-by-feature-policy.tentative.html [ Failure ]\ncrbug.com/1218716 external/wpt/permissions-policy/experimental-features/trust-token-redemption-default-permissions-policy.tentative.https.sub.html [ Failure ]\ncrbug.com/1218716 external/wpt/permissions-policy/experimental-features/trust-token-redemption-supported-by-permissions-policy.tentative.html [ Failure ]\n\n# crbug.com/1095379: These three time out 100% of the time across all platforms:\ncrbug.com/919789 images/image-click-scale-restore-zoomed-image.html [ Timeout ]\ncrbug.com/919789 images/image-zoom-to-25.html [ Timeout ]\ncrbug.com/919789 images/image-zoom-to-500.html [ Timeout ]\n\n# Sheriff 2020-02-06\n# Flaking on Linux Leak\ncrbug.com/1049599 [ Linux ] virtual/threaded-prefer-compositing/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-08-19\ncrbug.com/626703 [ Win7 ] external/wpt/html/dom/documents/resource-metadata-management/document-lastModified-01.html [ Failure ]\n\n# These are added to W3CImportExpectations as Skip, remove when next import is done.\ncrbug.com/666657 external/wpt/css/css-text/hanging-punctuation/* [ Skip ]\n\ncrbug.com/909597 external/wpt/css/css-ui/text-overflow-ruby.html [ Failure ]\n\ncrbug.com/1005518 external/wpt/css/css-writing-modes/direction-upright-001.html [ Failure ]\ncrbug.com/1005518 external/wpt/css/css-writing-modes/direction-upright-002.html [ Failure ]\n\n# crbug.com/1218721: These tests fail when libvpx_for_vp8 is enabled.\ncrbug.com/1218721 fast/borders/border-radius-mask-video-shadow.html [ Failure ]\ncrbug.com/1218721 fast/borders/border-radius-mask-video.html [ Failure ]\ncrbug.com/1218721 [ Mac ] http/tests/media/video-frame-size-change.html [ Failure ]\n\ncrbug.com/637055 fast/css/outline-offset-large.html [ Skip ]\n\n# Either \"combo\" or split should run: http://testthewebforward.org/docs/css-naming.html\ncrbug.com/410320 external/wpt/css/css-writing-modes/orthogonal-parent-shrink-to-fit-001.html [ Skip ]\n\n# These tests pass but images do not match because of wrong half-leading in vertical-lr\n\n# These tests pass but images do not match because of position: absolute in vertical flow bug\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-003.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-005.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-007.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-009.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-002.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-004.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-006.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-008.xht [ Failure ]\n\n# These tests pass but images do not match because tests are stricter than the spec.\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-001.html [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-002.html [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-003.html [ Failure ]\n\n# We're experimenting with changing the behavior of the 'nonce' attribute\n\n# These CSS Writing Modes Level 3 tests pass but causes 1px diff on images, notified to the submitter.\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vlr-008.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vlr-020.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vrl-008.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vrl-020.xht [ Failure ]\n\ncrbug.com/381684 [ Mac ] fonts/family-fallback-gardiner.html [ Skip ]\ncrbug.com/381684 [ Win ] fonts/family-fallback-gardiner.html [ Skip ]\n\ncrbug.com/377696 printing/setPrinting.html [ Failure ]\n\ncrbug.com/1204498 external/wpt/service-workers/service-worker/client-navigate.https.html [ Failure Pass ]\ncrbug.com/1223681 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/client-navigate.https.html [ Failure Pass Skip Timeout ]\n\n# crbug.com/1218723 This test fails when SplitCacheByNetworkIsolationKey is enabled.\ncrbug.com/1218723 http/tests/devtools/network/network-prefetch.js [ Failure ]\n\n# Method needs to be renamed.\ncrbug.com/1253323 http/tests/devtools/network/network-persistence-filename-safety.js [ Skip ]\n\n# No support for WPT print-reftests:\ncrbug.com/1090628 external/wpt/infrastructure/reftest/reftest_match-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/infrastructure/reftest/reftest_match_fail-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-after-2-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-before-2-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-after-1-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-before-1-print.html [ Failure ]\n\ncrbug.com/1051044 external/wpt/css/filter-effects/effect-reference-feimage-001.html [ Failure Pass ]\ncrbug.com/1051044 external/wpt/css/filter-effects/effect-reference-feimage-003.html [ Failure Pass ]\n\ncrbug.com/524160 [ Debug ] http/tests/media/media-source/stream_memory_tests/mediasource-appendbuffer-quota-exceeded-default-buffers.html [ Timeout ]\n\n# On these platforms (all but Android) media tests don't currently use gpu-accelerated (proprietary) codecs, so no\n# benefit to running them again with gpu acceleration enabled.\ncrbug.com/555703 [ Linux ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Mac ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Win ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Fuchsia ] virtual/media-gpu-accelerated/* [ Skip ]\n\ncrbug.com/467477 fast/multicol/vertical-rl/nested-columns.html [ Failure ]\ncrbug.com/1262980 fast/multicol/infinitely-tall-content-in-outer-crash.html [ Pass Timeout ]\n\ncrbug.com/400841 media/video-canvas-draw.html [ Failure ]\n\n# switching to apache-win32: needs triaging.\ncrbug.com/528062 [ Win ] http/tests/css/missing-repaint-after-slow-style-sheet.pl [ Failure ]\ncrbug.com/528062 [ Win ] http/tests/local/blob/send-data-blob.html [ Failure Timeout ]\ncrbug.com/528062 [ Win ] http/tests/local/blob/send-hybrid-blob.html [ Failure Timeout ]\ncrbug.com/528062 [ Win ] http/tests/security/XFrameOptions/x-frame-options-cached.html [ Failure ]\ncrbug.com/528062 [ Win ] http/tests/security/contentSecurityPolicy/cached-frame-csp.html [ Failure ]\n\n# When drawing subpixel smoothed glyphs, CoreGraphics will fake bold the glyphs.\n# In this configuration, the pixel smoothed glyphs will be created from subpixel smoothed glyphs.\n# This means that CoreGraphics may draw outside the reported glyph bounds, and in this case does.\n# By about a quarter or less of a pixel.\ncrbug.com/997202 [ Mac ] virtual/text-antialias/international/bdo-bidi-width.html [ Failure ]\n\ncrbug.com/574283 [ Mac ] fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-anchors.html [ Skip ]\ncrbug.com/574283 [ Mac ] virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/fixed-background-in-iframe.html [ Skip ]\ncrbug.com/574283 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/main-thread-scrolling-reason-correctness.html [ Skip ]\ncrbug.com/574283 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/mousewheel-scroll-interrupted.html [ Skip ]\n\ncrbug.com/599670 [ Win ] http/tests/devtools/resource-parameters-ipv6.js [ Crash Failure Pass ]\ncrbug.com/472330 fast/borders/border-image-outset-split-inline-vertical-lr.html [ Failure ]\ncrbug.com/472330 fast/writing-mode/box-shadow-vertical-lr.html [ Failure ]\ncrbug.com/472330 fast/writing-mode/box-shadow-vertical-rl.html [ Failure ]\n\ncrbug.com/346473 fast/events/drag-on-mouse-move-cancelled.html [ Failure ]\n\n# These tests are skipped as there is no touch support on Mac.\ncrbug.com/613672 [ Mac ] fast/events/pointerevents/multi-pointer-event-in-slop-region.html [ Skip ]\n\n# In addition to having no support on Mac, the following test times out\n# regularly on Windows.\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scroll.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scroll-by-page.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-touchpad-fling.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-touchscreen-fling.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-mainframe.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-noscroll-body-xhidden.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-noscroll-body-yhidden.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div-past-extent-diagonally.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div-zoomed.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-iframe-editable.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-iframe.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-input-field.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page-past-extent.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page-zoomed.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page.html [ Skip ]\n\n# Since there is no compositor thread when running tests then there is no main thread event queue. Hence the\n# logic for this test will be skipped when running Layout tests.\ncrbug.com/770028 external/wpt/pointerevents/pointerlock/pointerevent_getPredictedEvents_when_pointerlocked-manual.html [ Skip ]\ncrbug.com/770028 external/wpt/pointerevents/pointerevent_predicted_events_attributes-manual.html [ Skip ]\n\n# crbug.com/1218729 These tests fail when InterestCohortAPIOriginTrial is enabled.\ncrbug.com/1218729 http/tests/origin_trials/webexposed/interest-cohort-origin-trial-interfaces.html [ Failure ]\ncrbug.com/1218729 virtual/stable/webexposed/feature-policy-features.html [ Failure ]\n\n# This test relies on racy should_send_resource_timing_info_to_parent() flag being sent between processes.\ncrbug.com/957181 external/wpt/resource-timing/nested-context-navigations-iframe.html [ Failure Pass ]\n\n# During work on crbug.com/1171767, we discovered a bug demonstrable through\n# WPT. Marking as a failing test until we update our implementation.\ncrbug.com/1223118 external/wpt/resource-timing/initiator-type/link.html [ Failure ]\n\n# Chrome touch-action computation ignores div transforms.\ncrbug.com/715148 external/wpt/pointerevents/pointerevent_touch-action-rotated-divs_touch-manual.html [ Skip ]\n\ncrbug.com/654999 [ Win ] fast/forms/color/color-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\ncrbug.com/654999 [ Linux ] fast/forms/color/color-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\n\ncrbug.com/658304 [ Win ] fast/forms/select/input-select-after-resize.html [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-001.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-002.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-003.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-004.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-005.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-005a.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-006.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-006a.html [ Failure ]\n\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-11.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-12.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-13.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-14.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-15.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-16.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-19.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-20.html [ Failure ]\n\ncrbug.com/1058772 external/wpt/css/css-fonts/test-synthetic-italic-2.html [ Failure ]\ncrbug.com/1058772 external/wpt/css/css-fonts/test-synthetic-italic-3.html [ Failure ]\n\ncrbug.com/1191718 external/wpt/css/css-text-decor/text-decoration-thickness-percent-001.html [ Failure ]\n\ncrbug.com/752449 [ Mac10.14 ] external/wpt/css/css-fonts/matching/fixed-stretch-style-over-weight.html [ Failure ]\ncrbug.com/752449 [ Mac10.12 ] external/wpt/css/css-fonts/matching/stretch-distance-over-weight-distance.html [ Failure ]\ncrbug.com/752449 [ Mac10.12 ] external/wpt/css/css-fonts/matching/style-ranges-over-weight-direction.html [ Failure ]\n\ncrbug.com/1191718 external/wpt/css/css-fonts/size-adjust-text-decoration.tentative.html [ Failure ]\n\n# CSS Font Feature Resolution is not implemented yet\ncrbug.com/450619 external/wpt/css/css-fonts/font-feature-resolution-001.html [ Failure ]\ncrbug.com/450619 external/wpt/css/css-fonts/font-feature-resolution-002.html [ Failure ]\n\n# CSS Forced Color Adjust preserve-parent-color is not implemented yet\ncrbug.com/1242706 external/wpt/css/css-forced-color-adjust/parsing/forced-color-adjust-computed.html [ Failure ]\ncrbug.com/1242706 external/wpt/css/css-forced-color-adjust/parsing/forced-color-adjust-valid.html [ Failure ]\n\n# These need a rebaseline due crbug.com/504745 on Windows when they are activated again.\ncrbug.com/521124 crbug.com/410145 [ Win7 ] fast/css/font-weight-1.html [ Failure Pass ]\n\n# Disabled briefly until test runner support lands.\ncrbug.com/479533 accessibility/show-context-menu.html [ Skip ]\ncrbug.com/479533 accessibility/show-context-menu-shadowdom.html [ Skip ]\ncrbug.com/483653 accessibility/scroll-containers.html [ Skip ]\n\n# Temporarily disabled until document marker serialization is enabled for AXInlineTextBox\ncrbug.com/1227485 accessibility/spelling-markers.html [ Failure ]\n\n# Bugs caused by enabling DMSAA on OOPR-Canvas\ncrbug.com/1229463 [ Mac ] virtual/oopr-canvas2d/fast/canvas/canvas-largedraws.html [ Crash ]\ncrbug.com/1229486 virtual/oopr-canvas2d/fast/canvas/canvas-incremental-repaint.html [ Failure ]\n\n# Temporarily disabled after chromium change\ncrbug.com/492511 [ Mac ] virtual/text-antialias/atsui-negative-spacing-features.html [ Failure ]\ncrbug.com/492511 [ Mac ] virtual/text-antialias/international/arabic-justify.html [ Failure ]\n\ncrbug.com/501659 fast/xsl/xslt-missing-namespace-in-xslt.xml [ Failure ]\n\ncrbug.com/501659 http/tests/security/xss-DENIED-xml-external-entity.xhtml [ Failure ]\ncrbug.com/501659 fast/css/stylesheet-candidate-nodes-crash.xhtml [ Failure ]\n\n# TODO(chrishtr) uncomment ones marked crbug.com/591500 after fixing crbug.com/665259.\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-absolute-covering-some-pages.html [ Failure ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-but-static-headers-and-footers.html [ Failure Pass ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-larger-than-page.html [ Failure Pass ]\n\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers.html [ Failure Pass ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/list-item-with-empty-first-line.html [ Failure ]\n\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-clipped.html [ Failure Pass ]\n\ncrbug.com/353746 virtual/android/fullscreen/video-specified-size.html [ Failure Pass ]\n\ncrbug.com/525296 fast/css/font-load-while-styleresolver-missing.html [ Crash Failure Pass ]\n\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-window.html [ Failure Pass Skip Timeout ]\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-worker.html [ Failure Pass Skip Timeout ]\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-sharedworker.html [ Failure Pass Skip Timeout ]\n\ncrbug.com/543369 fast/forms/select-popup/popup-menu-appearance-tall.html [ Failure Pass ]\n\ncrbug.com/548765 http/tests/devtools/console-fetch-logging.js [ Failure Pass ]\n\ncrbug.com/399951 http/tests/mime/javascript-mimetype-usecounters.html [ Failure Pass ]\n\ncrbug.com/663847 fast/events/context-no-deselect.html [ Failure Pass ]\n\ncrbug.com/611658 [ Win ] virtual/text-antialias/emphasis-combined-text.html [ Failure ]\n\ncrbug.com/611658 [ Win7 ] fast/writing-mode/english-lr-text.html [ Failure ]\n\ncrbug.com/654477 [ Win ] compositing/video/video-controls-layer-creation.html [ Failure Pass ]\ncrbug.com/654477 fast/hidpi/video-controls-in-hidpi.html [ Failure ]\ncrbug.com/654477 fast/layers/video-layer.html [ Failure ]\n# These could likely be removed - see https://chromium-review.googlesource.com/c/chromium/src/+/1252141\ncrbug.com/654477 media/controls-focus-ring.html [ Failure ]\n\ncrbug.com/637930 http/tests/media/video-buffered.html [ Failure Pass ]\n\ncrbug.com/613659 external/wpt/quirks/percentage-height-calculation.html [ Failure ]\n\n# Note: this test was previously marked as slow on Debug builds. Skipping until crash is fixed\ncrbug.com/619978 fast/css/giant-stylesheet-crash.html [ Skip ]\n\ncrbug.com/624430 [ Win10.20h2 ] virtual/text-antialias/font-features/caps-casemapping.html [ Failure ]\n\ncrbug.com/399507 virtual/threaded/http/tests/devtools/tracing/timeline-paint/layer-tree.js [ Skip ]\n\n# These tests have test harness errors and PASS lines that have a\n# non-deterministic order.\ncrbug.com/705125 fast/mediacapturefromelement/CanvasCaptureMediaStream-capture-out-of-DOM-element.html [ Failure ]\n\n# Working on getting the CSP tests going:\ncrbug.com/694525 external/wpt/content-security-policy/navigation/to-javascript-parent-initiated-child-csp.html [ Skip ]\n\n# These tests will be added back soon:\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-aux-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-main-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-sub-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-same-origin-aux-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-same-origin-sub-frame-navigation.sub.html [ Skip ]\n\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/cross-document-traversal-cross-document-traversal.html [ Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-traversal-hashchange.html [ Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-traversal-pushstate.html [ Timeout ]\n\n# These two are like the above but some bots seem to give timeouts that count as failures according to the -expected.txt,\n# while other bots give actual timeouts.\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/cross-document-traversal-same-document-nav.html [ Failure Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-nav.html [ Failure Timeout ]\n\ncrbug.com/876485 fast/performance/performance-measure-null-exception.html [ Failure ]\n\ncrbug.com/713587 external/wpt/css/css-ui/caret-color-006.html [ Skip ]\n\n# Unprefixed image-set() not supported\ncrbug.com/630597 external/wpt/css/css-images/image-set/image-set-rendering.html [ Failure ]\ncrbug.com/630597 external/wpt/css/css-images/image-set/image-set-content-rendering.html [ Failure ]\n\ncrbug.com/604875 external/wpt/css/css-images/tiled-gradients.html [ Failure ]\n\ncrbug.com/808834 [ Linux ] external/wpt/css/css-pseudo/first-letter-001.html [ Failure ]\ncrbug.com/808834 [ Win ] external/wpt/css/css-pseudo/first-letter-001.html [ Failure ]\n\ncrbug.com/932343 external/wpt/css/css-pseudo/selection-text-shadow-016.html [ Failure ]\n\ncrbug.com/723741 virtual/threaded/http/tests/devtools/tracing/idle-callback.js [ Crash Failure Pass Skip Timeout ]\n\n# Untriaged failures after https://crrev.com/c/543695/.\n# These need to be updated but appear not to be related to that change.\ncrbug.com/626703 http/tests/devtools/indexeddb/database-refresh-view.js [ Failure Pass ]\ncrbug.com/626703 crbug.com/946710 http/tests/devtools/extensions/extensions-sidebar.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/751952 virtual/text-antialias/international/complex-text-rectangle.html [ Pass Timeout ]\ncrbug.com/751952 [ Win ] editing/selection/modify_extend/extend_by_character.html [ Failure Pass ]\n\ncrbug.com/805463 external/wpt/acid/acid3/numbered-tests.html [ Skip ]\n\ncrbug.com/828506 [ Win ] fast/events/touch/scroll-without-mouse-lacks-mousemove-events.html [ Failure Pass ]\n\n# Failure messages are unstable so we cannot create baselines.\ncrbug.com/832071 external/wpt/service-workers/service-worker/worker-client-id.https.html [ Failure ]\n\n# failures in external/wpt/css/css-animations/ and web-animations/ from Mozilla tests\ncrbug.com/849859 external/wpt/css/css-animations/Element-getAnimations-dynamic-changes.tentative.html [ Failure ]\n\n# Some control characters still not visible\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-001.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-002.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-003.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-004.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-005.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-006.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-007.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-008.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00B.html [ Failure ]\ncrbug.com/893490 external/wpt/css/css-text/white-space/control-chars-00D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-010.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-011.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-012.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-013.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-014.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-015.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-016.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-017.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-018.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-019.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01F.html [ Failure ]\ncrbug.com/893490 external/wpt/css/css-text/white-space/control-chars-07F.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-080.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-080.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-082.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-082.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-083.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-083.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-084.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-084.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-085.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-085.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-086.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-086.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-087.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-087.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-088.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-088.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-089.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-089.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08A.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08B.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08C.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-091.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-091.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-092.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-092.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-093.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-093.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-094.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-094.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-096.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-096.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-097.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-097.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-098.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-098.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-099.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-099.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09A.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09B.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09C.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09F.html [ Failure ]\n\n# needs implementation of test_driver_internal.action_sequence\n# tests in this group need implementation of keyDown/keyUp\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/multiDevice.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/actionsWithKeyPressed.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/textEditCommands.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/html/semantics/forms/the-input-element/checkable-active-onblur.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/html/semantics/forms/the-button-element/active-onblur.html [ Failure Timeout ]\n\n# needs implementation of test_driver_internal.action_sequence\n# for these tests there is an exception when scrolling: element click intercepted error\ncrbug.com/1040611 external/wpt/uievents/order-of-events/mouse-events/wheel-basic.html [ Failure Timeout ]\ncrbug.com/1040611 external/wpt/uievents/order-of-events/mouse-events/wheel-scrolling.html [ Failure Timeout ]\n\n\n# isInputPending requires threaded compositing and layerized iframes\ncrbug.com/910421 external/wpt/is-input-pending/* [ Skip ]\ncrbug.com/910421 virtual/threaded-composited-iframes/external/wpt/is-input-pending/* [ Pass ]\n\n# requestIdleCallback requires threaded compositing\ncrbug.com/1259718 external/wpt/requestidlecallback/* [ Skip ]\ncrbug.com/1259718 virtual/threaded/external/wpt/requestidlecallback/* [ Pass ]\n\n# WebVTT is off because additional padding\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_completely_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_partially_move_down.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_partially_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_end.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_end_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_start.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_start_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/basic.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/bidi_ruby.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_LF_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_u2028_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_u2029_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u0041_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u05D0_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u0628_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u06E9_no_strong_dir.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/cue_too_long.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/decode_escaped_entities.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/disable_controls_reposition.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_align_position_line_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_align_position_line_size_while_paused.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_line.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_text.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_text_while_paused.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/enable_controls_reposition.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/9_cues_overlapping_completely_all_cues_have_same_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/9_cues_overlapping_completely.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/media_height_19.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/single_quote.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/size_90.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/size_99.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_0_is_top.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_1_wrapped_cue_grow_downwards.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_-2_wrapped_cue_grow_upwards.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_integer_and_percent_mixed_overlap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_integer_and_percent_mixed_overlap_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_percent_and_integer_mixed_overlap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_percent_and_integer_mixed_overlap_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/media_height400_with_controls.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/media_with_controls.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/navigate_cue_position.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/one_line_cue_plus_wrapped_cue.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/repaint.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_shorthand_css_relative_url.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_hex.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_hsla.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_rgba.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/cue_selector_single_colon.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_box.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_shorthand_css_relative_url.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_hex.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_hsla.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_rgba.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/cue_func_selector_single_colon.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/id_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/inherit_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/not_allowed_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/not_root_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/root_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/root_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_overline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_overline_underline_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_underline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/type_selector_root.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_voice_attribute.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_nowrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/inherit_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue-region/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue-region_function/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_overline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_overline_underline_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_underline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_nowrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/bold_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/inherit_as_default_value_inherits_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/italic_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/underline_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/size_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/too_many_cues.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/too_many_cues_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_gt_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_lt_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_lt_50_size_gt_maximum_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/basic.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/regionanchor_x_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/regionanchor_y_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/scroll_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/single_line_top_left.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/viewportanchor_x_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/viewportanchor_y_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/width_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_gt_50_size_gt_maximum_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/start_alignment.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/vertical_rl.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/vertical_ruby-position.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_vertical_text-combine-upright.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/vertical_lr.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/vertical_text-combine-upright.html [ Failure ]\n\n# Flaky test\ncrbug.com/1126649 [ Mac ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure ]\ncrbug.com/1126649 [ Mac ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure ]\n\n# FontFace object failures detected by WPT test\ncrbug.com/965409 external/wpt/css/css-font-loading/fontface-descriptor-updates.html [ Failure ]\n\n# Linux draws antialiasing differently when overlaying two text layers.\ncrbug.com/785230 [ Linux ] external/wpt/css/css-text-decor/text-decoration-thickness-ink-skip-dilation.html [ Failure ]\n\ncrbug.com/1002514 external/wpt/web-share/share-sharePromise-internal-slot.https.html [ Crash Failure ]\n\ncrbug.com/1029514 external/wpt/html/semantics/embedded-content/the-video-element/resize-during-playback.html [ Failure Pass ]\n\n# css-pseudo-4 opacity not applied to ::first-line\ncrbug.com/1085772 external/wpt/css/css-pseudo/first-line-opacity-001.html [ Failure ]\n\n# motion-1 issues\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-002.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-003.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-004.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-005.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-006.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-007.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-009.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-001.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-002.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-003.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-004.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-005.html [ Failure ]\n\n# Various css-values WPT failures\ncrbug.com/1053965 external/wpt/css/css-values/ex-unit-004.html [ Failure ]\ncrbug.com/759914 external/wpt/css/css-values/ch-unit-011.html [ Failure ]\ncrbug.com/965366 external/wpt/css/css-values/ch-unit-017.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-010.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-011.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-009.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-008.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-012.html [ Failure ]\ncrbug.com/937104 external/wpt/css/css-values/lh-unit-002.html [ Failure ]\ncrbug.com/937104 external/wpt/css/css-values/lh-unit-001.html [ Failure ]\n\ncrbug.com/1067277 external/wpt/css/css-content/element-replacement-on-replaced-element.tentative.html [ Failure ]\ncrbug.com/1069300 external/wpt/css/css-pseudo/active-selection-063.html [ Failure ]\ncrbug.com/1108711 external/wpt/css/css-pseudo/active-selection-057.html [ Failure ]\ncrbug.com/1110399 external/wpt/css/css-pseudo/active-selection-031.html [ Failure ]\ncrbug.com/1110401 external/wpt/css/css-pseudo/active-selection-045.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/active-selection-027.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/active-selection-025.html [ Failure ]\n\ncrbug.com/27659 external/wpt/css/css-ruby/abs-in-ruby-base-container.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/abs-in-ruby-base.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-005.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/empty-ruby-base-container.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/empty-ruby-text-container-float.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/improperly-contained-annotation-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/rb-display-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/root-block-ruby.xhtml [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/root-ruby.xhtml [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/rt-display-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-001a.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-002a.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-base-container-abs.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-base-container-float.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-bidi-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-bidi-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-004.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-005.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-model-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-float-handling-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-justification-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-justification-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-lang-specific-style-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-breaking-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-breaking-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-text-collapse.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-whitespace-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-whitespace-002.html [ Failure ]\n\n# WebRTC: Perfect Negotiation times out in Plan B. This is expected.\ncrbug.com/980872 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-perfect-negotiation.https.html [ Skip Timeout ]\n\n# WebRTC: there's an open bug with some capture scenarios not working.\ncrbug.com/1156408 external/wpt/webrtc/RTCPeerConnection-relay-canvas.https.html [ Failure Pass Skip Timeout ]\ncrbug.com/1156408 external/wpt/webrtc/RTCPeerConnection-capture-video.https.html [ Failure Pass Skip Timeout ]\n\ncrbug.com/1074547 external/wpt/css/css-transitions/transitioncancel-002.html [ Timeout ]\n\ncrbug.com/1024156 external/wpt/css/css-pseudo/cascade-highlight-004.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/cascade-highlight-005.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-cascade-001.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-cascade-002.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-paired-cascade-003.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-paired-cascade-006.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-styling-002.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-styling-004.html [ Failure ]\ncrbug.com/1113004 external/wpt/css/css-pseudo/active-selection-043.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-051.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-052.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-053.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-054.html [ Failure ]\ncrbug.com/1018465 external/wpt/css/css-pseudo/active-selection-056.html [ Failure ]\ncrbug.com/932343 external/wpt/css/css-pseudo/active-selection-014.html [ Failure ]\n\n# virtual/css-highlight-inheritance/\ncrbug.com/1217745 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/active-selection-018.html [ Failure ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/cascade-highlight-004.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-cascade-001.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-cascade-002.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-paired-cascade-003.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-paired-cascade-006.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-styling-002.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-styling-004.html [ Pass ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-001.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-002.html [ Failure ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-003.html [ Failure ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-004.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-001.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-003.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-004.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-001.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-003.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-004.html [ Pass ]\n\ncrbug.com/1105958 external/wpt/payment-request/payment-is-showing.https.html [ Failure Skip Timeout ]\n\n### external/wpt/css/CSS2/tables/\ncrbug.com/958381 external/wpt/css/CSS2/tables/column-visibility-004.xht [ Failure ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-079.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-080.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-081.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-082.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-083.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-084.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-085.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-086.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-093.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-094.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-095.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-096.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-097.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-098.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-103.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-104.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-125.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-126.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-127.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-128.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-129.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-130.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-131.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-132.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-155.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-156.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-157.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-158.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-167.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-168.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-171.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-172.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-181.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-182.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-183.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-184.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-185.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-186.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-187.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-188.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-199.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-200.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-201.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-202.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-203.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-204.xht [ Skip ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/anonymous-table-box-width-001.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-009.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-010.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-011.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-012.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-015.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-016.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-017.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-018.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-019.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-020.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-177.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-178.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-179.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-180.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-189.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-190.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-191.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-192.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-193.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-194.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-195.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-196.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-197.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-198.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-205.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-206.xht [ Failure ]\n\n# unblock roll wpt\ncrbug.com/626703 external/wpt/service-workers/service-worker/worker-interception.https.html [ Failure ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/worker-interception.https.html [ Pass ]\n\n# ====== Test expectations added to unblock wpt-importer ======\ncrbug.com/626703 external/wpt/service-workers/service-worker/navigation-timing-extended.https.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scroll-animation-lifetime.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scroll-timeline-snapshotting.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scrolltimeline-root-scroller-quirks-mode.html [ Failure ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/navigation-timing-extended.https.html [ Failure ]\n\n# ====== New tests from wpt-importer added here ======\ncrbug.com/626703 [ Mac10.15 ] external/wpt/page-visibility/minimize.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/shared_array_buffer_on_desktop/external/wpt/compression/decompression-constructor-error.tentative.any.serviceworker.html [ Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/web-locks/bfcache/abort.tentative.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/fenced-frame-mparch/wpt_internal/fenced_frame/create-credential.https.html [ Crash ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-subresource-corp.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/workers/modules/shared-worker-import-csp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_AES-CTR.https.any.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_RSA-OAEP.https.any.html?1-10 [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_RSA-OAEP.https.any.worker.html?141-150 [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/import_export/ec_importKey.https.any.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/accelerometer/Accelerometer-enabled-by-feature-policy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/accessibility/crashtests/activedescendant-crash.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/currentchange-event/currentchange-app-history-updateCurrent.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate-event/navigate-meta-refresh.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate-event/navigateerror-ordering-location-api.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate/disambigaute-forward.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/beacon/headers/header-referrer-no-referrer-when-downgrade.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/bluetooth/characteristic/readValue/characteristic-is-removed.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/split-http-cache/external/wpt/signed-exchange/reporting/sxg-reporting-prefetch-mi_error.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded-prefer-compositing/external/wpt/css/cssom-view/CaretPosition-001.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/css/css-animations/computed-style-animation-parsing.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/css/css-backgrounds/background-repeat/background-repeat-space.xht [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/scroll-animations/scroll-timelines/current-time-nan.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/unified-autoplay/external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/046.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/049.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/139.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/fetch-src/alpha/base.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/compilation-error-2.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/dynamic-import/blob-url.any.sharedworker.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/evaluation-error-1.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/script-onerror-insertion-point-2.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-template-element/additions-to-the-steps-to-clone-a-node/template-clone-children.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-template-element/template-element/template-descendant-frameset.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/characteristic/notifications/service-is-removed.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/characteristic/writeValue/write-succeeds.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/requestDevice/canonicalizeFilter/empty-services-member.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/service/getCharacteristics/characteristics-found-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/service/getCharacteristics/gen-reconnect-during-with-uuid.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/getDescriptors/gen-descriptor-disconnect-called-during-error-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/getDescriptors/gen-descriptor-garbage-collection-ran-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/notifications/notification-after-disconnection.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/readValue/gen-gatt-op-garbage-collection-ran-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/writeValueWithoutResponse/blocklisted-characteristic.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryService/gen-device-disconnects-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryServices/gen-device-disconnects-before-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryServices/gen-device-disconnects-invalidates-objects.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristic/gen-device-goes-out-of-range.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristic/gen-disconnect-called-before.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristics/correct-characteristics.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-pranswer.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCRtpReceiver-getParameters.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/without-coep-for-shared-worker/external/wpt/html/cross-origin-embedder-policy/credentialless/video.tentative.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-color-adjust/rendering/dark-color-scheme/color-scheme-iframe-background-mismatch-opaque-cross-origin.sub.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/resource-timing/object-not-found-adds-entry.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCIceConnectionState-candidate-pair.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-helper-test.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/bundle.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-box/cssbox-initial.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/css3-transform-perspective.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/translate-parsing-invalid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewY/svg-skewy-016.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-048.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-relative-length-invalid-002.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewX/svg-skewx-011.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewY/svg-skewy-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/animation/transform-interpolation-perspective.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/crashtests/preserve3d-scene-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-box/svgbox-fill-box.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/animation/rotate-interpolation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/external-styles/svg-external-styles-008.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/perspective-origin-valid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewX/svg-skewx-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-045.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-relative-length-invalid-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-length-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-scale-test.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/scale/svg-scale-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/inline-styles/svg-inline-styles-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-matrix-004.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-035.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-list-separation/svg-transform-list-separations-011.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-013.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-032.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/perspective-origin-computed.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transformed-preserve-3d-1.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-list-separation/svg-transform-list-separations-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-input-003.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/subpixel-transform-changes-002.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-016.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-name-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/translate/svg-translate-050.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/group/svg-transform-group-008.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-percent-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-3d-rotateY-stair-above-001.xht [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transforms-support-calc.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/transform-computed.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/group/svg-transform-nested-023.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/inline-styles/svg-inline-styles-012.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-transformed-td-contains-fixed-position.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-014.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-063.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-length-cm-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-name-002.html [ Crash ]\ncrbug.com/626703 [ Linux ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/dialog-keydown-preventDefault.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-finished-add.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-ua-ch-platform-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-navigation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/font-access-persistent/external/wpt/font-access/font_access-blob.tentative.https.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/document-domain-disabled-by-default/external/wpt/document-policy/experimental-features/document-domain/document-domain.tentative.sub.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/scroll-timeline-cssom.tentative.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/http-equiv-accept-ch-non-secure.http.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-supported-by-feature-policy.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/at-scroll-timeline-before-phase.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-ua-ch-platform-feature/external/wpt/client-hints/accept-ch-non-secure.http.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/css/css-transitions/parsing/transition-invalid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/backdrop-stacking-order.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/idlharness.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/wpt_internal/client-hints/accept_ch_feature_policy_allow_legacy_hints.tentative.sub.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-cache-revalidation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/external-styles/svg-external-styles-010.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/backplate/forced-colors-mode-backplate-01.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/source-quirks-mode.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/forced-colors-mode-03.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-iframe.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/top-layer-parent-transform.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/animation-model/keyframe-effects/effect-value-iteration-composite-operation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/interfaces/Animation/commitStyles.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/service-workers/new-request-critical.https.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/at-scroll-timeline-inactive-phase.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-navigation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/json-modules/external/wpt/html/semantics/scripting-1/the-script-element/json-module/referrer-policies.sub.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/backplate/forced-colors-mode-backplate-11.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/scroll-timeline-invalidation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/current-time-writing-modes.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/scroll-animation-effect-phases.tentative.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-perspective-009.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/forced-colors-mode-10.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStreamTrack-MediaElement-disabled-video-is-black.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/fractional-scroll-offsets/external/wpt/css/css-position/sticky/position-sticky-nested-left.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/element-based-offset-unresolved.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/interfaces/Animation/cancel.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-attachment.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-attachment.https.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/css/css-sizing/parsing/min-height-invalid.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/element/manual/wide-gamut-canvas/canvas-display-p3-drawImage-ImageBitmap-Blob.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] virtual/plz-dedicated-worker/external/wpt/xhr/event-loadstart-upload.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/xhr/event-loadstart-upload.any.worker.html [ Crash ]\ncrbug.com/626703 [ Linux ] wpt_internal/webcodecs/reconfiguring_encoder.https.any.html [ Timeout ]\ncrbug.com/626703 [ Linux ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/cookies/attributes/domain.sub.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/cookies/attributes/domain.sub.html [ Failure ]\ncrbug.com/626703 external/wpt/workers/interfaces/WorkerUtils/importScripts/blob-url.worker.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/CSS2/tables/table-anonymous-objects-211.xht [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 external/wpt/editing/run/forwarddelete.html?6001-last [ Failure ]\ncrbug.com/626703 external/wpt/selection/contenteditable/initial-selection-on-focus.tentative.html?div [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/css/css-sizing/aspect-ratio/replaced-element-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/post-task-without-signals.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/post-task-without-signals.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/tentative/current-task-signal.any.serviceworker.html [ Crash ]\ncrbug.com/626703 external/wpt/geolocation-API/non-fully-active.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/cross-origin-opener-policy/coop-navigate-same-origin-csp-sandbox.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/cross-origin-opener-policy/coop-navigate-same-origin-csp-sandbox.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 external/wpt/density-size-correction/density-corrected-image-svg-aspect-ratio-cross-origin.sub.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-assign-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/a-user-click-during-pageshow.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/marker-webkit-text-fill-color.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/a-user-click-during-load.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-columns.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-ruby.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-grid.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-math.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-flex.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-table.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-span-dynamic.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-block.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-details.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-fieldset.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-option.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-select-1.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-table.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-select-2.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-span.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-onsignalingstatechanged.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-002.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-001.html [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-not-list-item-start.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-list-item-start.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-not-list-item.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 external/wpt/infrastructure/assumptions/non-local-ports.sub.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/mediacapture-insertable-streams/MediaStreamTrackGenerator-audio.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc-extensions/transfer-datachannel-service-worker.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc-extensions/transfer-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/1-iframe/parent-no-child-yeswithparams-subdomain.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-yes-child1-yes-subdomain-child2-yes-subdomainport.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/popups/opener-no-openee-yes-same.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-yes-child1-yes-subdomain-child2-no-port.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/Create-blocked-port.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-getpublickey.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/credblob-not-supported.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-badargs-authnrselection.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-timeout.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-timeout.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-large-blob-supported.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-extensions.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-excludecredentials.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/webauthn-testdriver-basic.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-resident-key.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-badargs-rpid.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-badargs-userverification.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/credblob-supported.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-large-blob-not-supported.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-extensions.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-grid/alignment/grid-content-alignment-overflow-002.html [ Failure ]\ncrbug.com/626703 external/wpt/FileAPI/file/send-file-formdata-controls.any.html [ Pass Timeout ]\ncrbug.com/626703 external/wpt/FileAPI/file/send-file-formdata-controls.any.worker.html [ Pass Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/url/url-setters.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/url/url-setters.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-counter-styles/counter-style-name-syntax.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-015.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-014.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-010.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-016.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wss [ Timeout ]\ncrbug.com/626703 external/wpt/html/cross-origin-opener-policy/iframe-popup-same-origin-to-same-origin.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/constructor.any.worker.html?wss [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-grid/grid-model/grid-areas-overflowing-grid-container-009.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-002.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/pointerevents/pointerevent_pointercapture_in_frame.html?pen [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/pointerevents/pointerevent_pointercapture_in_frame.html?pen [ Timeout ]\ncrbug.com/1265587 external/wpt/html/user-activation/activation-trigger-pointerevent.html?pen [ Failure ]\ncrbug.com/626703 external/wpt/html/cross-origin-opener-policy/iframe-popup-same-origin-to-unsafe-none.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-006.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-007.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-009.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-pubkeycredparams.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] virtual/restrict-gamepad/external/wpt/gamepad/idlharness-extensions.https.window.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-passing.https.html [ Crash ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-012.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-005.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/font-access-persistent/external/wpt/font-access/font_access-enumeration.tentative.https.window.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-008.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-011.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-013.html [ Failure ]\ncrbug.com/626703 external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.worker.html [ Crash ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-004.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-passing.https.html [ Crash ]\ncrbug.com/626703 external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-large-blob-not-supported.https.html [ Crash ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/remove-own-iframe-during-onerror.window.html?wss [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.serviceworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.worker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/content-security-policy/reporting/report-only-in-meta.sub.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/cache-storage/worker/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/cache-storage/window/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.sharedworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/service-workers/cache-storage/serviceworker/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/remove-own-iframe-during-onerror.window.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.worker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/constructor/010.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/constructor/010.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.serviceworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/opening-handshake/005.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/opening-handshake/005.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/opening-handshake/005.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCSctpTransport-maxChannels.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCSctpTransport-maxChannels.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-senderCaptureTimeOffset.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-senderCaptureTimeOffset.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-legacy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-legacy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/simulcast/h264.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simulcast/h264.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCEncodedAudioFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCEncodedAudioFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-stats/getStats-remote-candidate-address.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-stats/getStats-remote-candidate-address.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDtlsTransport-state.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDtlsTransport-state.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Failure Pass Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/split.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-video.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCEncodedVideoFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-connectionState.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-worker.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-worker.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-connectionState.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simulcast/vp8.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-errors.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-helper-test.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/bundle.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-video-frames.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/crypto-suite.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-onsignalingstatechanged.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDtlsTransport-getRemoteCertificates.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-audio.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-audio.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/no-media-call.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCRtpTransceiver.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-perfect-negotiation.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/promises-call.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-addIceCandidate-connectionSetup.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-addIceCandidate-connectionSetup.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/video-rvfc/request-video-frame-callback-webrtc.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/rtp-demuxing.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCIceConnectionState-candidate-pair.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simplecall-no-ssrcs.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/simplecall-no-ssrcs.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/1209223 external/wpt/html/syntax/xmldecl/xmldecl-2.html [ Failure ]\ncrbug.com/626703 [ Mac ] editing/pasteboard/drag-selected-image-to-contenteditable.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 external/wpt/focus/focus-already-focused-iframe-deep-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/content-security-policy/securitypolicyviolation/source-file-data-scheme.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/basic-auth.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/worklets/paint-worklet-credentials.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-images/image-set/image-set-parsing.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/basic/request-upload.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/script-write-twice-transform.https.html [ Failure Timeout ]\n# crbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/sframe-transform-buffer-source.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/basic-auth.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/backpressure-receive.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/bufferedAmount-unchanged-by-sync-xhr.any.worker.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/basic-auth.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/worklets/audio-worklet-credentials.https.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/request-upload.any.serviceworker.html [ Crash Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Crash Failure Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/custom-elements/form-associated/ElementInternals-setFormValue.html [ Crash Pass Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/custom-elements/form-associated/ElementInternals-setFormValue.html [ Pass Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/sandboxing/window-open-blank-from-different-initiator.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/request-upload.any.sharedworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/mediacapture-image/MediaStreamTrack-getConstraints.https.html [ Crash Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/webrtc-encoded-transform/script-transform.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/websockets/stream/tentative/backpressure-send.any.sharedworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/shared-workers.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/sframe-transform-buffer-source.html [ Crash Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/multi-globals/workers-coep-report.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/http-response-code.any.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/http-response-code.any.sharedworker.html [ Crash Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/FileAPI/file/send-file-formdata-controls.html [ Crash Pass ]\ncrbug.com/626703 [ Win ] external/wpt/FileAPI/file/send-file-formdata-controls.html [ Crash Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/stream/tentative/abort.any.serviceworker.html?wpt_flags=h2 [ Crash Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/abort.any.sharedworker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/offsetparent-old-behavior/external/wpt/shadow-dom/accesskey.tentative.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.serviceworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/selection/contenteditable/modifying-selection-with-primary-mouse-button.tentative.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/streams/readable-streams/tee.any.worker.html [ Failure ]\ncrbug.com/1191547 external/wpt/html/semantics/forms/the-label-element/proxy-modifier-click-to-associated-element.tentative.html [ Timeout ]\ncrbug.com/626703 external/wpt/websockets/cookies/001.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/002.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/003.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/005.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/007.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 [ Mac ] virtual/threaded/external/wpt/css/css-scroll-snap/input/keyboard.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 [ Linux ] wpt_internal/modal-close-watcher/basic.html [ Crash ]\ncrbug.com/626703 [ Mac10.13 ] wpt_internal/modal-close-watcher/basic.html [ Crash ]\ncrbug.com/626703 external/wpt/uievents/keyboard/modifier-keys-combinations.html [ Timeout ]\ncrbug.com/626703 external/wpt/uievents/keyboard/modifier-keys.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/1014091 external/wpt/shadow-dom/focus/focus-pseudo-on-shadow-host-1.html [ Failure ]\ncrbug.com/1014091 external/wpt/shadow-dom/focus/focus-pseudo-on-shadow-host-2.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/webmessaging/with-ports/011.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webmessaging/without-ports/011.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] virtual/threaded/external/wpt/web-animations/timing-model/animations/updating-the-finished-state.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&parent=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&parent=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&child=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&parent=b&child=i [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&child=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&parent=b&child=i [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/interaction/focus/document-level-focus-apis/document-has-system-focus.html [ Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-peerconnection-no-sink.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-peerconnection.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/update-bytecheck.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-element-and-another-list.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Backspace,ul [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-elements.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Delete,ul [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-elements.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-element-and-another-list.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Backspace,ol [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Delete,ol [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-stop.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.sharedworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/webxr/xr_viewport_scale.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/editing/other/select-all-and-delete-in-html-element-having-contenteditable.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/first-contentful-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/mask-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/first-contentful-paint.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/child-painting-first-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/sibling-painting-first-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/border-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/infrastructure/testdriver/actions/iframe.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/infrastructure/testdriver/actions/crossOrigin.sub.html [ Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-during-and-after-dispatch.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/scroll-to-text-fragment/redirects.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 [ Fuchsia ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/screen-capture/feature-policy.https.html [ Timeout ]\ncrbug.com/626703 [ Fuchsia ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-immediately.https.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/web-locks/query-ordering.tentative.https.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/fetch/connection-pool/network-partition-key.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-backspace.tentative.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-forwarddelete.tentative.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t422-rgba-a0.6-a.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-color/t32-opacity-basic-0.6-a.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-basic-a.xht [ Failure ]\ncrbug.com/626703 external/wpt/wasm/jsapi/functions/incumbent.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-innerheight-innerwidth.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/Worker-replace-self.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_multiple.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_oncookiechange_eventhandler_single_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_single.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-replace-EventHandler.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-MessageEvent-source.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/examples/onconnect.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/global-serviceworker.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-replace-EventHandler.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/interfaces/WorkerGlobalScope/self.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_empty.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_single_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_overlapping_subscriptions.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_overlapping_subscriptions.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStore_subscribe_arguments.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-MessageEvent-source.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_multiple_subscriptions.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_multiple_subscriptions.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_single_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/global-serviceworker.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/examples/onconnect.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_oncookiechange_eventhandler_single_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/postMessage_block.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/uievents/order-of-events/focus-events/focus-management-expectations.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/preload/onload-event.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/shared-worker-parse-error-failure.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-operations.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/content-dpr/content-dpr-various-elements.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/workers/abrupt-completion.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/eventsource/eventsource-constructor-url-bogus.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/webappapis/scripting/events/event-handler-attributes-body-window.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.html?1-1000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/css/cssom/CSSStyleSheet-constructable.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.worker.html?1001-2000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.worker.html?1001-2000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.html?3001-last [ Failure Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/content-security-policy/object-src/object-src-no-url-allowed.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/ready.https.window.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-x-css_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-left-css_touch.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/screen-capture/getdisplaymedia.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/screen-capture/getdisplaymedia.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-sharedworker-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-domain-failure.https.sub.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-iframe-messagechannel.https.html [ Failure ]\ncrbug.com/626703 external/wpt/fetch/corb/script-resource-with-nonsniffable-types.tentative.sub.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/location-set-and-document-open.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-align/baseline-rules/grid-item-input-type-number.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/baseline-rules/grid-item-input-type-text.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/feedback-delay-time.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/delay-time-clamping.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/cycle-without-delay.html [ Failure ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-inherit_child-pan-x-child-pan-y_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-inherit_child-none_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-y-css_touch.html [ Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/web-animations/timing-model/animation-effects/phases-and-states.html [ Crash ]\ncrbug.com/626703 external/wpt/webvtt/rendering/cues-with-video/processing-model/snap-to-line.html [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/IndexedDB/structured-clone.any.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-svg-none-test_touch.html [ Skip Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/extension/pointerevent_touch-action-pan-right-css_touch.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-offer.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/broadcastchannel-success.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webauthn/idlharness-manual.https.window.js [ Skip ]\ncrbug.com/1004760 [ Mac ] external/wpt/html/semantics/embedded-content/media-elements/ready-states/autoplay-hidden.optional.html [ Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-streams/MediaStream-MediaElement-srcObject.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/preload/download-resources.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/preload/download-resources.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/preload/onload-event.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/rendering/widgets/button-layout/anonymous-button-content-box.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/widgets/button-layout/inline-level.html [ Failure ]\ncrbug.com/626703 external/wpt/xhr/abort-after-stop.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesisUtterance-volume-manual.html [ Skip ]\ncrbug.com/626703 crbug.com/606367 external/wpt/pointerevents/pointerevent_touch-action-pan-x-pan-y-pan-y_touch.html [ Failure Pass Timeout ]\ncrbug.com/626703 crbug.com/606367 external/wpt/pointerevents/pointerevent_touch-action-none-css_touch.html [ Failure Pass Timeout ]\ncrbug.com/626703 external/wpt/xhr/event-readystatechange-loaded.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/li-value-counter-reset-001.html [ Failure ]\ncrbug.com/626703 external/wpt/xhr/event-readystatechange-loaded.any.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/list-item-definition.html [ Failure ]\ncrbug.com/626703 external/wpt/media-source/mediasource-correct-frames-after-reappend.html [ Failure Pass Skip Timeout ]\ncrbug.com/626703 external/wpt/media-source/mediasource-correct-frames.html [ Failure Pass Skip Timeout ]\ncrbug.com/626703 external/wpt/payment-method-basic-card/steps_for_selecting_the_payment_handler.html [ Timeout ]\ncrbug.com/626703 external/wpt/payment-method-basic-card/apply_the_modifiers.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/tables/table-border-3s.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/tables/table-border-3q.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/onchange-event.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-tracks.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-remote-track-mute.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-width-height.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/html/webappapis/animation-frames/cancel-handle-manual.html [ Skip ]\ncrbug.com/626703 external/wpt/fetch/content-type/response.window.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/webappapis/user-prompts/newline-normalization-manual.html [ Skip ]\ncrbug.com/903383 external/wpt/css/filter-effects/css-filters-animation-combined-001.html [ Failure ]\ncrbug.com/903383 external/wpt/css/filter-effects/css-filters-animation-blur.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-screenx.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-innerheight.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-height.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-top.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-width-height.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-innerwidth-innerheight.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-will-change/will-change-abspos-cb-dynamic-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-will-change/will-change-abspos-cb-001.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/url/a-element.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/Create-url-with-space.any.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/abort.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/backpressure-receive.any.serviceworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/backpressure-receive.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Linux ] virtual/system-color-compute/external/wpt/css/css-color/color-function-parsing.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/css/css-color/color-function-parsing.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/Create-blocked-port.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/Create-url-with-space.any.html [ Failure ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/webrtc/RTCDTMFSender-ontonechange-long.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange-long.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/dom/idlharness.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/payment-handler/idlharness.https.any.serviceworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/payment-request/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/private-click-measurement/idlharness.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/service-workers/idlharness.https.any.serviceworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/streams/idlharness.any.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/streams/idlharness.any.sharedworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/webhid/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.sharedworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/portals/external/wpt/portals/idlharness.window.html [ Failure ]\n\n# selectmenu timeouts\ncrbug.com/1253971 [ Linux ] external/wpt/html/semantics/forms/the-selectmenu-element/selectmenu-parts-structure.tentative.html [ Timeout ]\ncrbug.com/1253971 [ Mac ] external/wpt/html/semantics/forms/the-selectmenu-element/selectmenu-parts-structure.tentative.html [ Timeout ]\n\n\n### See crbug.com/891427 comment near the top of this file:\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-block-margins-2.html [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-004.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-001.svg [ Failure ]\n\ncrbug.com/1220220 external/wpt/html/rendering/non-replaced-elements/form-controls/input-placeholder-line-height.html [ Failure ]\n\n# Tests pass under virtual/webrtc-wpt-plan-b\nvirtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-operations.https.html [ Pass ]\n\ncrbug.com/1131471 external/wpt/web-locks/clientids.tentative.https.html [ Failure ]\n\n# See also crbug.com/920100 (sheriff 2019-01-09).\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/external-stylesheet.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/inline-style.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/inline-style-with-differentorigin-base-tag.tentative.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/internal-stylesheet.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/presentation-attribute.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/processing-instruction.html [ Failure Timeout ]\n\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-complex-001.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-bicubic-001.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-005.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-002.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-003.svg [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-block-margins.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-display-rendering.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-tall.html [ Failure ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesis-pause-resume.tentative.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-9.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-8.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-7.html [ Failure ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-16.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-64.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-62.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-19b.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-161.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18a.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18c.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-61.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-63.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-19.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-20.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-66.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-21.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-177a.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-17.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-65.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18b.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-159.xml [ Skip ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/reload.window.html [ Timeout ]\ncrbug.com/626703 external/wpt/quirks/text-decoration-doesnt-propagate-into-tables/quirks.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/fieldset-painting-order.html [ Failure ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/tasks.window.html [ Timeout ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-complex-002.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-shape-inside-001.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-complex-001.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-shape-inside-002.svg [ Failure ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesis-speak-without-activation-fails.tentative.html [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-007.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-005.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-002.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-003.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-201.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-001.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-002.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-006.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-003.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-001.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-101.svg [ Failure ]\ncrbug.com/626703 external/wpt/clear-site-data/executionContexts.sub.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/css/css-lists/content-property/marker-text-matches-armenian.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-disc.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-square.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-circle.html [ Failure ]\ncrbug.com/626703 external/wpt/content-security-policy/securitypolicyviolation/targeting.html [ Timeout ]\ncrbug.com/626703 external/wpt/web-animations/timing-model/timelines/update-and-send-events.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/orientation-reading.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/unloading-documents/prompt-and-unload-script-closeable.html [ Failure ]\n\n# navigation.sub.html fails or times out when run with run_web_tests.py but passes with run_wpt_tests.py\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=windows-1252 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=x-cp1251 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=utf8 [ Failure Timeout ]\n\ncrbug.com/626703 external/wpt/fetch/security/redirect-to-url-with-credentials.https.html [ Timeout ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-003.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-004.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-005.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-objectboundingbox-content-clip-transform.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-objectboundingbox-content-clip.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-userspaceonuse-content-clip-transform.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-userspaceonuse-content-clip.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-001.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-002.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-005.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-006.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-008.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-element-userSpaceOnUse-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-element-userSpaceOnUse-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-001.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-002.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-005.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-006.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-007.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-008.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-006.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-007.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-008.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-009.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-010.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-011.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-012.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-polygon-013.html [ Failure ]\ncrbug.com/981970 external/wpt/fetch/http-cache/split-cache.html [ Skip ]\ncrbug.com/626703 external/wpt/fetch/http-cache/basic-auth-cache-test.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/cssom-view/scroll-behavior-smooth.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/history/joint-session-history/joint-session-history-remove-iframe.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/mediaqueries/viewport-script-dynamic.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-fill-stroke/paint-order-001.tentative.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-ui/text-overflow-026.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-inline-table-002.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-table-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-inline-table-001.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t422-rgba-onscreen-multiple-boxes-c.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-onscreen-multiple-boxes-c.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-onscreen-b.xht [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/css/css-color/t425-hsla-onscreen-b.xht [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1i.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1j.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1k.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1l.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2i.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2j.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2k.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2l.html [ Failure ]\ncrbug.com/626703 external/wpt/acid/acid2/reftest.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/acid/acid3/test.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-ui/cursor-auto-006.html [ Skip ]\ncrbug.com/626703 external/wpt/css/css-ui/cursor-auto-007.html [ Skip ]\ncrbug.com/626703 external/wpt/compat/webkit-text-fill-color-property-005.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/text-decoration-va-length-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/text-decoration-va-length-002.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/white-space-collapsing-bidi-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/white-space-mixed-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/floats/floats-wrap-bfc-006b.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/floats/floats-wrap-bfc-006c.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/logical-physical-mapping-001.html [ Failure ]\ncrbug.com/626703 external/wpt/encoding/eof-utf-8-three.html [ Failure ]\ncrbug.com/626703 external/wpt/encoding/eof-utf-8-two.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/windows/noreferrer-window-name.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/IndexedDB/request-abort-ordering.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/media-source/mediasource-avtracks.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/media-source/mediasource-getvideoplaybackquality.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/pointerevents/pointerevent_disabled_form_control-manual.html [ Pass Timeout ]\ncrbug.com/958104 external/wpt/presentation-api/controlling-ua/getAvailability.https.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/onchange-event-subframe.html [ Timeout ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/xhr/event-readystatechange-loaded.htm [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/dom/elements/global-attributes/dir_auto-N-EN-ref.html [ Failure ]\n\n# Synthetic modules report the wrong location in errors\ncrbug.com/994315 virtual/json-modules/external/wpt/html/semantics/scripting-1/the-script-element/json-module/parse-error.html [ Skip ]\n\n# These tests pass on the blink_rel bots but fail on the other builders\ncrbug.com/1051773 external/wpt/css/CSS2/floats/float-nowrap-3-ref.html [ Crash ]\ncrbug.com/1051773 external/wpt/css/CSS2/floats/float-nowrap-4.html [ Crash Timeout ]\n\ncrbug.com/964181 external/wpt/css/css-text/overflow-wrap/overflow-wrap-anywhere-inline-002.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/overflow-wrap/overflow-wrap-anywhere-inline-003.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-004.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-007.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-009.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-010.html [ Failure ]\n\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-006.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-007.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-008.html [ Failure ]\ncrbug.com/1017164 [ Win ] external/wpt/css/css-text/word-break/word-break-normal-km-000.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-normal-my-000.html [ Failure ]\ncrbug.com/1017164 [ Linux ] external/wpt/css/css-text/word-break/word-break-normal-lo-000.html [ Failure ]\ncrbug.com/1017164 [ Win ] external/wpt/css/css-text/word-break/word-break-normal-lo-000.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-normal-tdd-000.html [ Failure ]\ncrbug.com/1015331 external/wpt/css/css-text/white-space/eol-spaces-bidi-001.html [ Failure ]\n\ncrbug.com/899264 external/wpt/css/css-text/letter-spacing/letter-spacing-control-chars-001.html [ Failure ]\n\ncrbug.com/1250666 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/invalid-image-pending-script.https.html [ Pass Timeout ]\n\ncrbug.com/829028 external/wpt/css/css-break/abspos-in-opacity-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/avoid-border-break.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-005.html [ Failure ]\ncrbug.com/269061 external/wpt/css/css-break/box-shadow.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-006.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-003.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-004.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-007.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/forced-break-at-fragmentainer-start-000.html [ Failure ]\ncrbug.com/614667 external/wpt/css/css-break/grid/grid-item-fragmentation-020.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow-lr.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow-rl.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-029.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-030.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-032.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-034.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-035.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-036.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-038.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-039.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-040.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-041.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-042.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-043.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-044.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-045.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-046.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-047.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-052.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-054.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-057.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-058.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-059.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-060.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-061.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-062.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-063.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-065.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-066.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-071.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-073.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflowed-block-with-no-room-after-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflowed-block-with-no-room-after-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/relpos-inline-hit-testing.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/relpos-inline.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/ruby-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/trailing-child-margin-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/trailing-child-margin-002.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-003.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-004.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/transform-006.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/transform-008.html [ Failure ]\ncrbug.com/1224888 external/wpt/css/css-break/transform-009.html [ Failure ]\ncrbug.com/1156312 external/wpt/css/css-break/widows-orphans-017.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-ltr-rtl-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-rtl-ltr-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-rtl-rtl-in-multicol.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-ltr-rtl-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-rtl-ltr-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-rtl-rtl-in-multicol.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-ltr-rtl-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-rtl-ltr-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-rtl-rtl-in-multicols.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-ltr-rtl-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-rtl-ltr-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-rtl-rtl-in-multicols.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/abspos-containing-block-outside-spanner.html [ Failure ]\ncrbug.com/967329 external/wpt/css/css-multicol/columnfill-auto-max-height-001.html [ Failure ]\ncrbug.com/967329 external/wpt/css/css-multicol/columnfill-auto-max-height-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/balance-break-avoidance-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/balance-orphans-widows-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/fixed-in-multicol-with-transform-container.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/hit-test-transformed-child.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-000.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-001.html [ Failure ]\ncrbug.com/481431 external/wpt/css/css-multicol/multicol-breaking-004.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-005.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-nobackground-000.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-nobackground-001.html [ Failure ]\ncrbug.com/481431 external/wpt/css/css-multicol/multicol-breaking-nobackground-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-013.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-014.html [ Failure ]\ncrbug.com/829028 [ Mac ] external/wpt/css/css-multicol/multicol-list-item-004.html [ Failure ]\ncrbug.com/829028 [ Mac ] external/wpt/css/css-multicol/multicol-list-item-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-013.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-015.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-016.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-017.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-018.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-022.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-023.html [ Failure ]\ncrbug.com/1246602 external/wpt/css/css-multicol/multicol-oof-inline-cb-001.html [ Failure ]\ncrbug.com/1246602 external/wpt/css/css-multicol/multicol-oof-inline-cb-002.html [ Failure ]\ncrbug.com/792435 external/wpt/css/css-multicol/multicol-rule-004.xht [ Failure ]\ncrbug.com/792437 external/wpt/css/css-multicol/multicol-rule-inset-000.xht [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-001.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-002.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-003.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-004.html [ Failure ]\ncrbug.com/792437 external/wpt/css/css-multicol/multicol-rule-outset-000.xht [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-001.html [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-002.html [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-003.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-001.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-002.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-003.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-005.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-006.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-007.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-009.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-008.html [ Failure ]\ncrbug.com/926685 external/wpt/css/css-multicol/multicol-span-all-010.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-014.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-015.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-017.html [ Failure ]\ncrbug.com/892817 external/wpt/css/css-multicol/multicol-span-all-margin-bottom-001.xht [ Failure ]\ncrbug.com/636055 external/wpt/css/css-multicol/multicol-span-all-margin-nested-002.xht [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-span-all-rule-001.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-001.xht [ Failure ]\ncrbug.com/964183 external/wpt/css/css-multicol/multicol-width-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/nested-at-outer-boundary-as-fieldset.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/nested-with-too-tall-line.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/non-adjacent-spanners-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/orthogonal-writing-mode-spanner.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-011.html [ Failure ]\ncrbug.com/1191124 external/wpt/css/css-multicol/spanner-fragmentation-012.html [ Failure ]\ncrbug.com/1224888 external/wpt/css/css-multicol/spanner-in-opacity.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-002.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-003.html [ Failure ]\n\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-007.tentative.html [ Failure ]\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-009.tentative.html [ Failure ]\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-011.tentative.html [ Failure ]\ncrbug.com/1097992 external/wpt/css/css-pseudo/marker-font-variant-numeric-normal.html [ Failure ]\ncrbug.com/1060007 external/wpt/css/css-pseudo/marker-text-combine-upright.html [ Failure ]\n\n# iframe tests time out if the request is blocked as mixed content.\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/iframe-blank-inherit.meta/unset/iframe-tag.https.html [ Skip Timeout ]\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/srcdoc-inherit.meta/unset/iframe-tag.https.html [ Skip Timeout ]\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/top.meta/unset/iframe-tag.https.html [ Skip Timeout ]\n\n# Different results on try bots and CQ, skipped to unblock wpt import.\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-default-css.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-element.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-main-frame-root.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-main-frame-window.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-scrollintoview-nested.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-smooth-positions.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-subframe-root.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-subframe-window.html [ Skip ]\n\n# Crashes with DCHECK enabled, but not on normal Release builds.\ncrbug.com/809935 external/wpt/css/css-fonts/variations/font-style-interpolation.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-ui/text-overflow-011.html [ Crash Failure Pass ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/margin-collapsing-quirks/multicol-quirks-mode.html [ Crash Pass ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/margin-collapsing-quirks/multicol-standards-mode.html [ Crash Failure Pass ]\n\n# Other untriaged test failures, timeouts and crashes from newly-imported WPT tests.\ncrbug.com/626703 external/wpt/html/browsers/history/the-location-interface/location-protocol-setter-non-broken.html [ Failure Pass ]\n\n# <input disabled> does not fire click events after dispatchEvent\ncrbug.com/1115661 external/wpt/dom/events/Event-dispatch-click.html [ Timeout ]\n\n# Implement text-decoration correctly for vertical text\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-thickness-vertical-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-underline-offset-vertical-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-skip-ink-upright-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-skip-ink-upright-001.html [ Failure ]\n\ncrbug.com/912362 external/wpt/web-animations/timing-model/timelines/timelines.html [ Failure ]\n\n# Unclear if XHR events should still be fired after its frame is discarded.\ncrbug.com/881180 external/wpt/xhr/open-url-multi-window-4.htm [ Timeout ]\n\ncrbug.com/910709 navigator_language/worker_navigator_language.html [ Timeout ]\n\ncrbug.com/435547 http/tests/cachestorage/serviceworker/ignore-search-with-credentials.html [ Skip ]\n\ncrbug.com/697971 [ Mac10.12 ] virtual/text-antialias/selection/flexbox-selection-nested.html [ Skip ]\ncrbug.com/697971 [ Mac10.12 ] virtual/text-antialias/selection/flexbox-selection.html [ Skip ]\n\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-bottom-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-bottom-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-bottom-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-bottom-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-radius-clip-001.html [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-radius-clip-001.html [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-radius-clip-002.htm [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-radius-clip-002.htm [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-top-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-top-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-top-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-top-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/box-shadow-radius-000.html [ Failure ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/box-shadow-radius-000.html [ Failure ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/box-shadow-radius-001.html [ Failure ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/box-shadow-radius-001.html [ Failure ]\n\n# [css-grid]\ncrbug.com/1045599 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-safe-001.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/alignment/grid-row-axis-self-baseline-synthesized-004.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/alignment/grid-self-baseline-not-applied-if-sizing-cyclic-dependency-003.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-columns-001.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-columns-interpolation.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-rows-001.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-rows-interpolation.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/grid-definition/grid-repeat-max-width-001.html [ Failure ]\n\n# The 'last baseline' keyword is not implemented yet\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-item-self-baseline-001.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-001.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-002.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-004.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-003.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-004.html [ Failure ]\n\n# Baseline Content-Alignment is not implemented yet for CSS Grid Layout\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-001.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-002.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-003.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-004.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-001.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-002.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-003.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-004.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-baseline-align-001.html [ Failure ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-baseline-justify-001.html [ Failure ]\n\n# Subgrid is not implemented yet\ncrbug.com/618969 external/wpt/css/css-grid/subgrid/* [ Skip ]\n\n### Tests failing with SVGTextNG enabled:\ncrbug.com/1179585 svg/custom/visibility-collapse.html [ Failure ]\n\ncrbug.com/1236992 svg/dom/SVGListPropertyTearOff-gccrash.html [ Failure Pass ]\n\n# [css-animations]\ncrbug.com/993365 external/wpt/css/css-transitions/Element-getAnimations.tentative.html [ Failure Pass ]\n\ncrbug.com/664450 http/tests/devtools/console/console-on-animation-worklet.js [ Skip ]\n\ncrbug.com/826419 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-remove-track-inband.html [ Skip ]\n\ncrbug.com/825798 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-webvtt-non-snap-to-lines.html [ Failure ]\n\ncrbug.com/1093188 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-webvtt-two-cue-layout-after-first-end.html [ Failure Pass ]\n\n# This test requires a special browser flag and seems not suitable for a wpt test, see bug.\ncrbug.com/691944 external/wpt/service-workers/service-worker/update-after-oneday.https.html [ Skip ]\n\n# These tests (erroneously) see a platform-specific User-Agent header\ncrbug.com/595993 external/wpt/service-workers/service-worker/fetch-header-visibility.https.html [ Failure ]\n\ncrbug.com/619427 [ Mac ] fast/overflow/overflow-height-float-not-removed-crash3.html [ Failure Pass ]\n\ncrbug.com/670024 external/wpt/webmessaging/broadcastchannel/sandbox.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/with-ports/001.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/without-ports/001.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/with-options/broken-origin.html [ Failure ]\n\n# Added 2016-12-12\ncrbug.com/610835 http/tests/security/XFrameOptions/x-frame-options-deny-multiple-clients.html [ Failure Pass ]\n\ncrbug.com/892212 http/tests/wasm/wasm_remote_postMessage_test.https.html [ Failure Pass Timeout ]\n\n# ====== Random order flaky tests from here ======\n# These tests are flaky when run in random order, which is the default on Linux & Mac since since 2016-12-16.\n\ncrbug.com/702837 virtual/text-antialias/aat-morx.html [ Skip ]\n\ncrbug.com/688670 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cue-rendering-after-controls-removed.html [ Failure Pass ]\n\ncrbug.com/849670 http/tests/devtools/service-workers/service-worker-v8-cache.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/overflow-scroll-animates.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/overflow-scroll-root-frame-animates.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/horizontal-smooth-scroll-in-rtl.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/main-thread-scrolling-reason-added.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-anchors.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-vertical-rl-anchors.html [ Skip ]\n\ncrbug.com/900431 [ Mac ] css3/blending/mix-blend-mode-isolated-group-1.html [ Failure Pass ]\ncrbug.com/900431 [ Mac ] css3/blending/mix-blend-mode-isolated-group-3.html [ Failure Pass ]\n\n# ====== Random order flaky tests end here ======\n\n# ====== Tests from enabling .any.js/.worker.js tests begin here ======\ncrbug.com/709227 external/wpt/console/console-time-label-conversion.any.html [ Failure ]\ncrbug.com/709227 external/wpt/console/console-time-label-conversion.any.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/browsers/history/the-location-interface/per-global.window.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.arc.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.closed.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.curve.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.line.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.rect.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.create2.nonfinite.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.get.nonfinite.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.put.nonfinite.worker.html [ Failure ]\n\n# ====== Tests from enabling .any.js/.worker.js tests end here ========\n\ncrbug.com/789139 http/tests/devtools/sources/debugger/live-edit-no-reveal.js [ Crash Failure Pass Skip Timeout ]\n\n# ====== Begin of display: contents tests ======\n\ncrbug.com/181374 external/wpt/css/css-display/display-contents-dynamic-table-001-inline.html [ Failure ]\n\n# ====== End of display: contents tests ======\n\n# ====== Begin of other css-display tests ======\n\ncrbug.com/995106 external/wpt/css/css-display/display-flow-root-list-item-001.html [ Failure ]\n\n# ====== End of other css-display tests ======\n\ncrbug.com/930297 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/utf-16be.html?include=workers [ Skip Timeout ]\ncrbug.com/930297 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/utf-16le.html?include=workers [ Skip Timeout ]\n\ncrbug.com/676229 plugins/mouse-click-plugin-clears-selection.html [ Failure Pass ]\ncrbug.com/742670 plugins/iframe-plugin-bgcolor.html [ Failure Pass ]\ncrbug.com/780398 [ Mac ] plugins/mouse-capture-inside-shadow.html [ Failure Pass ]\n\ncrbug.com/678493 http/tests/permissions/chromium/test-request-window.html [ Pass Skip Timeout ]\n\ncrbug.com/689781 external/wpt/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/689781 [ Win ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/689781 [ Mac ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\n\ncrbug.com/681468 [ Win ] virtual/scalefactor150/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\ncrbug.com/681468 [ Win ] virtual/scalefactor200withzoom/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\ncrbug.com/681468 [ Win ] virtual/scalefactor200/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\n\ncrbug.com/1157857 virtual/percent-based-scrolling/max-percent-delta-cross-origin-iframes.html [ Failure Pass Timeout ]\n\ncrbug.com/683800 [ Debug Win7 ] external/wpt/selection/* [ Failure Pass ]\n\ncrbug.com/716320 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/broadcastchannel-success-and-failure.https.html [ Failure Timeout ]\n\n# Test timing out when SharedArrayBuffer is disabled by default.\n# See https://crbug.com/1194557\ncrbug.com/1194557 http/tests/devtools/sources/debugger-breakpoints/set-breakpoint-while-blocking-main-thread.js [ Skip Timeout ]\ncrbug.com/1194557 virtual/shared_array_buffer_on_desktop/http/tests/devtools/sources/debugger-breakpoints/set-breakpoint-while-blocking-main-thread.js [ Pass ]\n\n# Test output varies depending on the bot. A single expectation file doesn't\n# work.\ncrbug.com/1194557 fast/beacon/beacon-basic.html [ Failure Pass ]\ncrbug.com/1194557 virtual/shared_array_buffer_on_desktop/fast/beacon/beacon-basic.html [ Pass ]\n\n# This test passes only when the JXL feature is enabled.\ncrbug.com/1161994 http/tests/inspector-protocol/emulation/emulation-set-disabled-image-types-jxl.js [ Failure Pass ]\n\ncrbug.com/874302 external/wpt/wasm/serialization/module/broadcastchannel-success-and-failure.html [ Timeout ]\ncrbug.com/874302 external/wpt/wasm/serialization/module/broadcastchannel-success.html [ Timeout ]\n\ncrbug.com/877286 external/wpt/wasm/serialization/module/no-transferring.html [ Failure ]\n\ncrbug.com/831509 external/wpt/service-workers/service-worker/skip-waiting-installed.https.html [ Failure Pass ]\n\n# Fullscreen tests are failed because of consuming user activation on fullscreen\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-twice-manual.html [ Failure ]\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-two-elements-manual.html [ Failure ]\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-two-iframes-manual.html [ Failure Timeout ]\n\n# snav tests fail because of a DCHECK\ncrbug.com/985520 virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-enter-from-interest-a11y.html [ Crash ]\ncrbug.com/985520 virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-enter-from-interest.html [ Crash ]\n\n# User-Agent is not able to be set on XHR/fetch\ncrbug.com/571722 external/wpt/xhr/preserve-ua-header-on-redirect.htm [ Failure ]\n\n# Sheriff failures 2017-03-10\ncrbug.com/741210 [ Mac ] inspector-protocol/emulation/device-emulation-restore.js [ Failure ]\n\n# Sheriff failures 2017-03-21\ncrbug.com/703518 http/tests/devtools/tracing/worker-js-frames.js [ Failure Pass ]\ncrbug.com/674720 http/tests/loading/preload-img-test.html [ Failure Pass ]\n\n# Sheriff failures 2017-05-11\ncrbug.com/724027 http/tests/security/contentSecurityPolicy/directive-parsing-03.html [ Skip ]\ncrbug.com/724027 http/tests/security/contentSecurityPolicy/source-list-parsing-04.html [ Skip ]\n\n# Sheriff failures 2017-05-16\ncrbug.com/722212 fast/events/pointerevents/mouse-pointer-event-properties.html [ Failure Pass Timeout ]\n# Crashes on win\ncrbug.com/722943 [ Win ] media/audio-repaint.html [ Crash ]\n\n# Sheriff failures 2018-08-15\ncrbug.com/874837 [ Win ] ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure Pass ]\ncrbug.com/874837 [ Linux ] ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure Pass ]\ncrbug.com/874931 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/mousewheel-scroll.html [ Crash Failure Pass ]\ncrbug.com/875003 [ Win ] editing/caret/caret-is-hidden-when-no-focus.html [ Failure Pass ]\n\n# Sheiff failures 2021-04-09\ncrbug.com/1197444 [ Linux ] virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/overlay-scrollbar-over-child-layer-nested-2.html [ Crash Failure Pass ]\n\ncrbug.com/715718 external/wpt/media-source/mediasource-remove.html [ Failure Pass ]\n\n# Feature Policy changes fullscreen behaviour, tests need updating\ncrbug.com/718155 fullscreen/full-screen-restrictions.html [ Failure Skip Timeout ]\n\ncrbug.com/852645 gamepad/full-screen-gamepad.html [ Timeout ]\n\ncrbug.com/1191123 gamepad/gamepad-polling-access.html [ Failure Pass ]\n\n# Feature Policy changes same-origin allowpaymentrequest behaviour, tests need updating\ncrbug.com/718155 payments/payment-request-in-iframe.html [ Failure ]\ncrbug.com/718155 payments/payment-request-in-iframe-nested-not-allowed.html [ Failure ]\n\n# Expect to fail. The test is applicable only when DigitalGoods flag is disabled.\ncrbug.com/1080870 http/tests/payments/payment-request-app-store-billing-mandatory-total.html [ Failure ]\n\n# Layout Tests on Swarming (Windows) - https://crbug.com/717347\ncrbug.com/713094 [ Win ] fast/css/fontfaceset-check-platform-fonts.html [ Failure Pass ]\n\n# Image decode failures due to document destruction.\ncrbug.com/721435 external/wpt/html/semantics/embedded-content/the-img-element/decode/image-decode-iframe.html [ Skip ]\n\n# Sheriff failures 2017-05-23\ncrbug.com/725470 editing/shadow/doubleclick-on-meter-in-shadow-crash.html [ Crash Failure Pass ]\n\n# Sheriff failures 2017-06-14\ncrbug.com/737959 http/tests/misc/object-image-load-outlives-gc-without-crashing.html [ Failure Pass ]\n\ncrbug.com/737959 http/tests/misc/video-poster-image-load-outlives-gc-without-crashing.html [ Crash Failure Pass ]\n\n# module script lacks XHTML support\ncrbug.com/717643 external/wpt/html/semantics/scripting-1/the-script-element/module/module-in-xhtml.xhtml [ Failure ]\n\n# known bug: import() inside set{Timeout,Interval}\n\n# Service worker updates need to handle redirect appropriately.\ncrbug.com/889798 external/wpt/service-workers/service-worker/import-scripts-redirect.https.html [ Skip ]\n\n# Service workers need to handle Clear-Site-Data appropriately.\ncrbug.com/1052641 external/wpt/service-workers/service-worker/unregister-immediately-before-installed.https.html [ Skip ]\ncrbug.com/1052642 external/wpt/service-workers/service-worker/unregister-immediately-during-extendable-events.https.html [ Skip ]\n\n# known bug of SubresourceWebBundles\ncrbug.com/1244483 external/wpt/web-bundle/subresource-loading/link-non-utf8-query-encoding-encoded-src.https.tentative.html [ Failure ]\n\n# Sheriff failures 2017-07-03\ncrbug.com/708994 http/tests/security/cross-frame-mouse-source-capabilities.html [ Pass Skip Timeout ]\ncrbug.com/746128 [ Mac ] media/controls/video-enter-exit-fullscreen-without-hovering-doesnt-show-controls.html [ Failure Pass ]\n\n# Tests failing when enabling new modern media controls\ncrbug.com/831942 media/webkit-media-controls-webkit-appearance.html [ Failure Pass ]\ncrbug.com/832157 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cue-rendering-after-controls-added.html [ Skip ]\ncrbug.com/832169 media/media-controls-fit-properly-while-zoomed.html [ Failure Pass ]\ncrbug.com/832447 media/controls/controls-page-zoom-in.html [ Failure Pass ]\ncrbug.com/832447 media/controls/controls-page-zoom-out.html [ Failure Pass ]\ncrbug.com/849694 [ Mac ] http/tests/media/controls/toggle-class-with-state-source-buffer.html [ Failure Pass ]\n\n# Tests currently failing on Windows when run on Swarming\ncrbug.com/757165 [ Win ] compositing/culling/filter-occlusion-blur.html [ Skip ]\ncrbug.com/757165 [ Win ] css3/blending/mix-blend-mode-with-filters.html [ Skip ]\ncrbug.com/757165 [ Win ] external/wpt/preload/download-resources.html [ Skip ]\ncrbug.com/757165 [ Win ] external/wpt/preload/preload-default-csp.sub.html [ Skip ]\ncrbug.com/757165 [ Win ] fast/forms/file/recover-file-input-in-unposted-form.html [ Skip ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-aligned-not-aligned.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-clipped-overflowed-content.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-container-only-white-space.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-container-white-space.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-date.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-div-scrollable-but-without-focusable-content.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-fully-aligned-horizontally.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-fully-aligned-vertically.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-hidden-iframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-hidden-iframe-zero-size.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-iframe-recursive-offset-parent.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-area-not-focusable.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-area-without-image.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-overlapped-areas.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-simple.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-input.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-multiple-select.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-not-below.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-not-rightof.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-overlapping-elements.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-radio-group.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-radio.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-single-select.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-symmetrically-positioned.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-table-traversal.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-textarea.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-tiny-table-traversal.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-two-elements-one-line.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-unit-overflow-and-scroll-in-direction.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-z-index.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] http/tests/devtools/sources/ui-source-code-metadata.js [ Skip ]\ncrbug.com/757165 [ Win ] http/tests/misc/client-hints-accept-meta-preloader.html [ Skip ]\ncrbug.com/757165 [ Win ] paint/invalidation/filters/filter-repaint-accelerated-child-with-filter-child.html [ Skip ]\ncrbug.com/757165 [ Win ] paint/invalidation/filters/filter-repaint-on-accelerated-layer.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-filter-modified-save-restore.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-filter-modified.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/threaded-no-composited-antialiasing/animations/svg/animated-filter-svg-element.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-clipping.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-image.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-fill-style.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-global-alpha.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-image.html [ Skip ]\n# This is timing out on non-windows platforms, marked as skip on all platforms.\ncrbug.com/757165 virtual/gpu/fast/canvas/canvas-blending-gradient-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-image.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-pattern-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-pattern-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-text.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-transforms.html [ Skip ]\n# This is currently skipped on all OSes due to crbug.com/775957\n#crbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-incremental-repaint.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-scale-drawImage-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-strokeRect-alpha-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/image-object-in-canvas.html [ Skip ]\n\n# Antialiasing error\ncrbug.com/845973 virtual/display-compositor-pixel-dump/fast/canvas/display-compositor-pixel-dump/OffscreenCanvas-opaque-background-compositing.html [ Failure Pass ]\n\n# Some Windows 7 vm images have a timezone-related registry not populated\n# leading this test to fail.\n# https://chromium-review.googlesource.com/c/chromium/src/+/1379250/6\ncrbug.com/856119 [ Win7 ] fast/js/regress/resolved-timezone-defined.html [ Failure Pass ]\n\n# Tests occasionaly timing out (flaky) on WebKit Win7 dbg builder\ncrbug.com/757955 http/tests/devtools/tracing/timeline-paint/layer-tree.js [ Failure Pass Skip Timeout ]\n\n# This test has a fixed number of time which can depend on performance.\n\ncrbug.com/669329 http/tests/devtools/tracing/timeline-js/timeline-runtime-stats.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/769347 [ Mac ] fast/dom/inert/inert-node-is-uneditable.html [ Failure ]\n\ncrbug.com/769056 virtual/text-antialias/emoji-web-font.html [ Failure ]\ncrbug.com/1159689 [ Mac ] virtual/text-antialias/emoticons.html [ Failure Pass ]\n\ncrbug.com/770232 [ Win10.20h2 ] virtual/text-antialias/hyphenate-character.html [ Failure ]\n\n# Editing commands incorrectly assume no plain text length change after formatting text.\ncrbug.com/764489 editing/execCommand/format-block-multiple-paragraphs.html [ Failure ]\ncrbug.com/764489 editing/execCommand/format-block-multiple-paragraphs-in-pre.html [ Failure ]\n\n# Previous/NextWordPosition crossing editing boundaries.\ncrbug.com/900060 editing/selection/mixed-editability-8.html [ Failure ]\n\n# Sheriff failure 2017-09-18\ncrbug.com/766404 [ Mac ] plugins/keyboard-events.html [ Failure Pass ]\n\n# Layout test corrupted after Skia rect tessellation change due to apparent SwiftShader bug.\n# This was previously skipped on Windows in the section for crbug.com/757165\ncrbug.com/775957 virtual/gpu/fast/canvas/canvas-incremental-repaint.html [ Skip ]\n\n# Sheriff failures 2017-09-21\ncrbug.com/767469 http/tests/navigation/start-load-during-provisional-loader-detach.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-02\ncrbug.com/770971 [ Win7 ] fast/forms/suggested-value.html [ Failure Pass ]\ncrbug.com/771492 external/wpt/css/css-tables/table-model-fixup-2.html [ Failure ]\n\ncrbug.com/807191 fast/media/mq-color-gamut-picture.html [ Failure Pass Skip Timeout ]\n\n# Text rendering on Win7 failing image diffs, flakily.\ncrbug.com/773122 [ Win7 ] virtual/text-antialias/international/unicode-bidi-plaintext-in-textarea.html [ Failure Pass ]\ncrbug.com/773122 [ Win7 ] virtual/text-antialias/whitespace/022.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-13\ncrbug.com/774463 [ Debug Win7 ] fast/events/autoscroll-should-not-stop-on-keypress.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-23\ncrbug.com/772411 http/tests/media/autoplay-crossorigin.html [ Failure Pass Timeout ]\n\n# Sheriff failures 2017-10-24\ncrbug.com/773122 crbug.com/777813 [ Win ] virtual/text-antialias/font-ascent-mac.html [ Failure Pass ]\n\n# Cookie Store API\ncrbug.com/827231 [ Win ] external/wpt/cookie-store/change_eventhandler_for_document_cookie.tentative.https.window.html [ Failure Pass Timeout ]\n\n# The \"Lax+POST\" or lax-allowing-unsafe intervention for SameSite-by-default\n# cookies causes POST tests to fail.\ncrbug.com/990439 external/wpt/cookies/samesite/form-post-blank.https.html [ Failure ]\ncrbug.com/843945 external/wpt/cookies/samesite/form-post-blank-reload.https.html [ Failure ]\ncrbug.com/990439 http/tests/cookies/same-site/popup-cross-site-post.https.html [ Failure ]\n\n# Flaky Windows-only content_shell crash\ncrbug.com/1162205 [ Win ] virtual/schemeful-same-site/external/wpt/cookies/attributes/path-redirect.html [ Crash Pass ]\ncrbug.com/1162205 [ Win ] external/wpt/cookies/attributes/path-redirect.html [ Crash Pass ]\n\n# Temporarily disable failing cookie control character tests until we implement\n# the latest spec changes. Specifically, 0x00, 0x0d and 0x0a should cause\n# cookie rejection instead of truncation, and the tab character should be\n# treated as a valid character.\ncrbug.com/1233602 external/wpt/cookies/attributes/attributes-ctl.sub.html [ Failure ]\ncrbug.com/1233602 external/wpt/cookies/name/name-ctl.html [ Failure ]\ncrbug.com/1233602 external/wpt/cookies/value/value-ctl.html [ Failure ]\n\n# The virtual tests run with Schemeful Same-Site disabled. These should fail to ensure the disabled feature code paths work.\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-websockets.sub.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-iframe-subresource.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-subresource.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-navigation.tentative.html [ Failure ]\n\n# These tests fail with Schemeful Same-Site due to their cross-schemeness. Skip them until there's a more permanent solution.\ncrbug.com/1141909 external/wpt/websockets/cookies/001.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/002.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/003.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/005.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/007.html?wss [ Skip ]\n\n# Sheriff failures 2017-12-04\ncrbug.com/667560 http/tests/devtools/elements/styles-4/inline-style-sourcemap.js [ Failure Pass ]\n\n# Double tap on modern media controls is a bit more complicated on Mac but\n# since we are not targeting Mac yet we can come back and fix this later.\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-backwards.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-forwards.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-forwards-too-short.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-on-play-button.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-toggle-fullscreen.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/click-anywhere-to-play-pause.html [ Skip ]\n\n# Seen flaky on Linux, suppressing on Windows as well\ncrbug.com/831720 [ Win ] media/controls/doubletap-to-jump-forwards-too-short.html [ Failure Pass ]\ncrbug.com/831720 [ Linux ] media/controls/doubletap-to-jump-forwards-too-short.html [ Failure Pass ]\ncrbug.com/831720 media/controls/tap-to-hide-controls.html [ Failure Pass ]\n\n# These tests require Unified Autoplay.\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-allowed-by-feature-policy-attribute-redirect-on-load.https.sub.html [ Skip ]\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-default-feature-policy.https.sub.html [ Skip ]\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-disabled-by-feature-policy.https.sub.html [ Skip ]\n\n# Does not work on Mac\ncrbug.com/793771 [ Mac ] media/controls/scrubbing.html [ Skip ]\n\n# Different paths may have different anti-aliasing pixels 2018-02-21\nskbug.com/7641 external/wpt/css/css-paint-api/paint2d-paths.https.html [ Failure Pass ]\n\n# Sheriff failures 2018-01-25\n# Flaking on Linux Tests, WebKit Linux Trusty (also ASAN, Leak)\ncrbug.com/805794 [ Linux ] virtual/android/url-bar/bottom-fixed-adjusted-when-showing-url-bar.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-05\ncrbug.com/809152 netinfo/estimate-multiple-frames.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-20\ncrbug.com/789921 media/controls/repaint-on-resize.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-21\ncrbug.com/814585 [ Linux ] fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-cjk.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-22\ncrbug.com/814889 idle-callback/test-runner-run-idle-tasks.html [ Crash Pass Timeout ]\ncrbug.com/814953 fast/replaced/no-focus-ring-iframe.html [ Failure Pass ]\ncrbug.com/814964 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-border-radius.html [ Failure Pass ]\n\n# These pass on bots with proprietary codecs (most CQ bots) while failing on bots without.\ncrbug.com/807110 external/wpt/html/semantics/embedded-content/media-elements/mime-types/canPlayType.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-addsourcebuffer.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-buffered.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-a-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-audio-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-framesize.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-video-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-bitrate.html [ Failure Pass Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-framerate.html [ Failure Pass Skip Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-framesize.html [ Failure Pass ]\n# Failure and Pass for crbug.com/807110 and Timeout for crbug.com/727252.\ncrbug.com/727252 external/wpt/media-source/mediasource-endofstream.html [ Failure Pass Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-is-type-supported.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-sequencemode-append-buffer.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-sourcebuffer-mode-timestamps.html [ Failure Pass ]\ncrbug.com/794338 media/video-rotation.html [ Failure Pass ]\ncrbug.com/811605 media/video-poster-after-loadedmetadata.html [ Failure Pass ]\n\n# MHT works only when loaded from local FS (file://..).\ncrbug.com/778467 [ Fuchsia ] mhtml/mhtml_in_iframe.html [ Failure ]\n\n# These tests timeout when using Scenic ozone platform.\ncrbug.com/1067477 [ Fuchsia ] fast/media/matchmedium-query-api.html [ Skip ]\ncrbug.com/1067477 [ Fuchsia ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Skip ]\n\n# These tests are flaky when using Scenic ozone platform.\ncrbug.com/1047480 [ Fuchsia ] css3/calc/reflection-computed-style.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] external/wpt/web-animations/interfaces/Animation/ready.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] fast/block/float/floats-with-margin-should-not-wrap.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] fast/block/margin-collapse/clear-nested-float-more-than-one-previous-sibling-away.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] virtual/gpu-rasterization/images/drag-image-descendant-painting-sibling.html [ Failure Pass ]\n\n### See crbug.com/891427 comment near the top of this file:\n###crbug.com/816914 [ Mac ] fast/canvas/canvas-drawImage-live-video.html [ Failure Pass ]\ncrbug.com/817167 http/tests/devtools/oopif/oopif-cookies-refresh.js [ Failure Pass Skip Timeout ]\n\n# Disable temporarily on Win7, will remove them when they are not flaky.\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\n\n# Sheriff 2018-03-02\ncrbug.com/818076 http/tests/devtools/oopif/oopif-elements-navigate-in.js [ Failure Pass ]\n\n# Sheriff 2018-03-05\ncrbug.com/818650 [ Linux ] wpt_internal/speech/scripted/speechrecognition-restart-onend.html [ Crash Pass ]\n\n# Prefetching Signed Exchange DevTools tests are flaky.\ncrbug.com/851363 http/tests/devtools/sxg/sxg-prefetch-fail.js [ Failure Pass ]\ncrbug.com/851363 http/tests/devtools/sxg/sxg-prefetch.js [ Failure Pass ]\n\n# Sheriff 2018-03-22\ncrbug.com/824775 media/controls/video-controls-with-cast-rendering.html [ Failure Pass ]\ncrbug.com/824848 external/wpt/html/semantics/links/following-hyperlinks/activation-behavior.window.html [ Failure Pass ]\n\n# Sheriff 2018-03-26\ncrbug.com/825733 [ Win ] media/color-profile-video-seek-filter.html [ Failure Pass Skip Timeout ]\ncrbug.com/754986 media/video-transformed.html [ Failure Pass ]\n\n# Sheriff 2018-03-29\ncrbug.com/827209 [ Win ] fast/events/middleClickAutoscroll-latching.html [ Failure Pass Timeout ]\ncrbug.com/827209 [ Linux ] fast/events/middleClickAutoscroll-latching.html [ Failure Pass Timeout ]\n\n# Utility for manual testing, not intended to be run as part of layout tests.\ncrbug.com/785955 http/tests/credentialmanager/tools/virtual-authenticator-environment-manual.html [ Skip ]\n\n# Sheriff 2018-04-11\ncrbug.com/831796 fast/events/autoscroll-in-textfield.html [ Failure Pass ]\n\n# First party DevTools issues only work in the first-party-sets virtual suite\ncrbug.com/1179186 http/tests/inspector-protocol/network/blocked-cookie-same-party-issue.js [ Skip ]\ncrbug.com/1179186 http/tests/inspector-protocol/network/blocked-setcookie-same-party-cross-party-issue.js [ Skip ]\ncrbug.com/1179186 virtual/first-party-sets/http/tests/inspector-protocol/network/blocked-cookie-same-party-issue.js [ Pass ]\ncrbug.com/1179186 virtual/first-party-sets/http/tests/inspector-protocol/network/blocked-setcookie-same-party-cross-party-issue.js [ Pass ]\n\n# Sheriff 2018-04-13\ncrbug.com/833655 [ Linux ] media/controls/closed-captions-dynamic-update.html [ Skip ]\ncrbug.com/833658 media/video-controls-focus-movement-on-hide.html [ Failure Pass ]\n\n# Sheriff 2018-05-22\ncrbug.com/845610 [ Win ] http/tests/inspector-protocol/target/target-browser-context.js [ Failure Pass ]\n\n# Sheriff 2018-05-28\n# Merged failing devtools/editor tests.\n### See crbug.com/891427 comment near the top of this file:\ncrbug.com/749738 http/tests/devtools/editor/text-editor-word-jumps.js [ Pass Skip Timeout ]\ncrbug.com/846997 http/tests/devtools/editor/text-editor-ctrl-d-1.js [ Pass Skip Timeout ]\ncrbug.com/846982 http/tests/devtools/editor/text-editor-formatter.js [ Pass Skip Timeout ]\n###crbug.com/847114 [ Linux ] http/tests/devtools/tracing/decode-resize.js [ Pass Failure ]\n###crbug.com/847114 [ Linux ] virtual/threaded/http/tests/devtools/tracing/decode-resize.js [ Pass Failure ]\n\ncrbug.com/843135 virtual/gpu/fast/canvas/canvas-arc-circumference-fill.html [ Failure Pass ]\n\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-arc-circumference.html [ Failure ]\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-ellipse-circumference-fill.html [ Failure ]\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-ellipse-circumference.html [ Failure ]\n\n# Sheriff 2018-05-31\ncrbug.com/848398 http/tests/devtools/oopif/oopif-performance-cpu-profiles.js [ Failure Pass Skip Timeout ]\n\n# Flakes 2018-06-02\ncrbug.com/841567 fast/scrolling/scrollbar-tickmarks-hittest.html [ Failure Pass ]\n\n# Flakes 2018-06-04\n\n# Sheriff 2018-06-07\ncrbug.com/850358 http/tests/devtools/editor/text-editor-enter-behaviour.js [ Failure Pass Skip Timeout ]\ncrbug.com/849978 http/tests/devtools/elements/styles-4/stylesheet-source-url-comment.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/854538 [ Win7 ] http/tests/security/contentSecurityPolicy/1.1/form-action-src-default-ignored-with-redirect.html [ Skip ]\n\n# User Activation\ncrbug.com/736415 crbug.com/1066190 external/wpt/html/user-activation/navigation-state-reset-crossorigin.sub.tentative.html [ Failure Timeout ]\ncrbug.com/736415 external/wpt/html/user-activation/navigation-state-reset-sameorigin.tentative.html [ Failure ]\n\n# Sheriff 2018-07-05\ncrbug.com/861682 [ Win ] external/wpt/css/mediaqueries/device-aspect-ratio-003.html [ Failure Pass ]\n\n# S13N Sheriff 2018-7-11\ncrbug.com/862643 http/tests/serviceworker/navigation_preload/use-counter.html [ Failure Pass ]\n\n# Sheriff 2018-07-30\ncrbug.com/868706 external/wpt/css/css-layout-api/auto-block-size-inflow.https.html [ Failure Pass ]\n\n# Sheriff 2018-08-01\ncrbug.com/869773 http/tests/misc/window-dot-stop.html [ Failure Pass ]\n\ncrbug.com/873873 external/wpt/service-workers/service-worker/fetch-canvas-tainting-video.https.html [ Pass Skip Timeout ]\ncrbug.com/873873 external/wpt/service-workers/service-worker/fetch-canvas-tainting-video-cache.https.html [ Pass Skip Timeout ]\n\ncrbug.com/875884 [ Linux ] lifecycle/background-change-lifecycle-count.html [ Failure Pass ]\ncrbug.com/875884 [ Win ] lifecycle/background-change-lifecycle-count.html [ Failure Pass ]\n\n# Broken when smooth scrolling was enabled in Mac web tests (real failure)\ncrbug.com/1044137 [ Mac ] fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\n\n# Sheriff 2018-08-20\ncrbug.com/862589 virtual/threaded/fast/idle-callback/long_idle_periods.html [ Pass Skip Timeout ]\n\n# fast/events/middleClickAutoscroll-* are failing on Mac\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-click-hyperlink.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-click.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-drag.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-event-fired.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-in-iframe.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-latching.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-modal-scrollable-iframe-div.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-nested-divs-forbidden.html [ Skip ]\n# The next also fails due to crbug.com/891427, thus disabled on all platforms.\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-nested-divs.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/selection-autoscroll-borderbelt.html [ Skip ]\n\ncrbug.com/1198842 [ Linux ] virtual/scroll-unification/fast/events/selection-autoscroll-borderbelt.html [ Pass Timeout ]\n\n# Passes in threaded mode, fails without it. This is a real bug.\ncrbug.com/1112183 fast/scrolling/autoscroll-iframe-no-scrolling.html [ Failure ]\n\n# Sheriff 2018-09-10\ncrbug.com/881207 fast/js/regress/splice-to-remove.html [ Pass Timeout ]\n\ncrbug.com/882689 http/tests/security/cookies/third-party-cookie-blocking-worker.html [ Failure Pass ]\n\n# Sheriff 2018-09-19\ncrbug.com/662010 [ Win7 ] http/tests/csspaint/invalidation-background-image.html [ Skip ]\n\n# Sheriff 2018-10-15\ncrbug.com/895257 [ Mac ] external/wpt/css/css-fonts/variations/at-font-face-font-matching.html [ Failure Pass ]\n\n#Sheriff 2018-10-23\ncrbug.com/898378 [ Mac10.13 ] fast/scroll-behavior/smooth-scroll/keyboard-scroll.html [ Timeout ]\n\n# Sheriff 2018-10-29\ncrbug.com/766357 [ Win ] virtual/threaded-prefer-compositing/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure Pass ]\n\n# ecosystem-infra sheriff 2018-11-02, 2019-03-18\ncrbug.com/901271 external/wpt/dom/events/Event-dispatch-on-disabled-elements.html [ Failure Pass Skip Timeout ]\n\n# Test is flaky under load\ncrbug.com/904389 http/tests/preload/delaying_onload_link_preload_after_discovery.html [ Failure Pass ]\n\n# Flaky crash due to \"bad mojo message\".\ncrbug.com/906952 editing/pasteboard/file-drag-to-editable.html [ Crash Pass ]\n\n#Sheriff 2018-11-22\ncrbug.com/907862 [ Mac10.13 ] gamepad/multiple-event-listeners.html [ Failure Pass ]\n\n# Sheriff 2018-11-26\ncrbug.com/908347 media/autoplay/webaudio-audio-context-resume.html [ Failure Pass ]\n\n#Sheriff 2018-12-04\ncrbug.com/911515 [ Mac ] transforms/shadows.html [ Failure Pass ]\ncrbug.com/911782 [ Mac ] paint/invalidation/forms/submit-focus-by-mouse-then-keydown.html [ Failure Pass ]\n\n# Sheriff 2018-12-06\ncrbug.com/912793 crbug.com/899087 virtual/android/fullscreen/full-screen-iframe-allowed-video.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2018-12-07\ncrbug.com/912821 http/tests/devtools/tracing/user-timing.js [ Skip ]\n\n# Sheriff 2018-12-13\ncrbug.com/910452 media/controls/buttons-after-reset.html [ Failure Pass ]\n\n# Update 2020-06-01: flaky on all platforms.\ncrbug.com/914782 fast/scrolling/no-hover-during-scroll.html [ Failure Pass ]\n\ncrbug.com/919272 external/wpt/resource-timing/resource-timing.html [ Skip ]\n\n# Sheriff 2019-01-03\ncrbug.com/918905 external/wpt/css/css-sizing/block-size-with-min-or-max-content-table-1b.html [ Failure Pass ]\n\n# Android doesn't support H264/AVC1 encoding.\n# Some other bots are built without H264/AVC1 encoding support.\ncrbug.com/719023 fast/mediarecorder/MediaRecorder-isTypeSupported-avc1.html [ Failure Pass ]\ncrbug.com/719023 media_capabilities/encodingInfo-avc1.html [ Failure Pass ]\n\n# Sheriff 2019-01-07\ncrbug.com/919587 [ Linux ] virtual/threaded/fast/idle-callback/idle_periods.html [ Failure Pass ]\n\n# WebRTC Plan B\ncrbug.com/920979 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCTrackEvent-fire.html [ Timeout ]\n\n# Mac doesn't support lowLatency/desynchronized Canvas Contexts.\ncrbug.com/922218 [ Mac ] fast/canvas-api/canvas-lowlatency-getContext.html [ Failure ]\n\n# Sheriff 2019-01-14\ncrbug.com/921583 http/tests/preload/meta-viewport-link-headers.html [ Failure Pass ]\n\n# These fail (some time out, some are flaky, etc.) when landing valid changes to Mojo bindings\n# dispatch timing. Many of them seem to fail for different reasons, but pretty consistently in most\n# cases it seems like a problem around test expectation timing rather than real bugs affecting\n# production code. Because such timing bugs are relatively common in tests and it would thus be very\n# difficult to land the dispatch change without some temporary breakage, these tests are disabled\ncrbug.com/922951 fast/css/pseudo-hover-active-display-none.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 fast/forms/number/number-input-event-composed.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/cache/subresource-fragment-identifier.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/devtools/tracing/timeline-network-received-data.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 http/tests/history/back-to-post.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/security/cookies/basic.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/webaudio/autoplay-crossorigin.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 media/controls/overflow-menu-hide-on-click-outside-stoppropagation.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 virtual/prefer_compositing_to_lcd_text/scrollbars/resize-scales-with-dpi-150.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 [ Linux ] virtual/scalefactor150/fast/events/synthetic-events/tap-on-scaled-screen.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 [ Win ] virtual/scalefactor150/fast/events/synthetic-events/tap-on-scaled-screen.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/frame-model-instrumentation.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-layout/timeline-layout-reason.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-misc/timeline-record-reload.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-layout/timeline-layout-with-invalidations.js [ Crash Failure Pass Skip Timeout ]\n\n# Flaky devtools test for recalculating styles.\ncrbug.com/1018177 http/tests/devtools/tracing/timeline-style/timeline-recalculate-styles.js [ Failure Pass ]\n\n# Race: The RTCIceConnectionState can become \"connected\" before getStats()\n# returns candidate-pair whose state is \"succeeded\", this sounds like a\n# contradiction.\n\n# This test is not intended to pass on Plan B.\ncrbug.com/740501 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-onnegotiationneeded.html [ Failure Pass Timeout ]\n\ncrbug.com/910979 http/tests/html/validation-bubble-oopif-clip.html [ Failure Pass ]\n\n# Sheriff 2019-02-01, 2019-02-19\n# These are crashy on Win10, and seem to leave processes lying around, causing the swarming\n# task to hang.\n\n# Recently became flaky on multiple platforms (Linux and Windows primarily)\ncrbug.com/927769 fast/webgl/OffscreenCanvas-webgl-preserveDrawingBuffer.html [ Skip ]\n\n# Flaky test.\ncrbug.com/1084378 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_remove_cue_while_paused.html [ Failure Pass ]\n\n# Sheriff 2019-02-12\ncrbug.com/1072768 media/video-played-ranges-1.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-02-13\ncrbug.com/931646 [ Win7 ] http/tests/preload/meta-viewport-link-headers-imagesrcset.html [ Failure Pass ]\n\n# These started failing when network service was enabled by default.\ncrbug.com/933880 external/wpt/service-workers/service-worker/request-end-to-end.https.html [ Failure ]\ncrbug.com/933880 http/tests/inspector-protocol/network/xhr-interception-auth-fail.js [ Failure ]\n# This passes in content_shell but not in chrome with network service disabled,\n# because content_shell does not add the about: handler. With network service\n# enabled this fails in both content_shell and chrome.\ncrbug.com/933880 http/tests/misc/redirect-to-about-blank.html [ Failure Timeout ]\n\n# Sheriff 2019-02-22\ncrbug.com/934636 http/tests/security/cross-origin-indexeddb-allowed.html [ Crash Pass ]\ncrbug.com/934818 http/tests/devtools/tracing/decode-resize.js [ Failure Pass ]\n\n# Sheriff 2019-02-26\ncrbug.com/936165 media/autoplay-muted.html [ Pass Skip Timeout ]\n\n# Sheriff 2019-02-28\ncrbug.com/936827 external/wpt/fullscreen/api/element-request-fullscreen-and-remove-manual.html [ Failure Pass ]\n\n# Paint Timing failures\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-gradient.html [ Failure ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-invisible-3d-rotate-descendant.html [ Failure Timeout ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-invisible-3d-rotate.html [ Failure ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-text-input.html [ Failure ]\n\n# Also crbug.com/1044535\ncrbug.com/937416 http/tests/devtools/resource-tree/resource-tree-frame-navigate.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-03-04\n# Also crbug.com/1044418\ncrbug.com/937811 [ Linux Release ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-2.js [ Failure Pass Skip Timeout ]\ncrbug.com/937811 [ Linux Release ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-3.js [ Failure Pass ]\ncrbug.com/937811 [ Release Win ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-2.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-03-05\ncrbug.com/938200 http/tests/devtools/network/network-blocked-reason.js [ Pass Skip Timeout ]\n\n# Caused a revert of a good change.\ncrbug.com/931533 media/video-played-collapse.html [ Failure Pass ]\n\n# Sheriff 2019-03-14\ncrbug.com/806357 virtual/threaded/fast/events/pointerevents/pinch/pointerevent_touch-action-pinch_zoom_touch.html [ Crash Failure Pass Timeout ]\n\n# Trooper 2019-03-19\ncrbug.com/943388 [ Win ] http/tests/devtools/network/network-recording-after-reload-with-screenshots-enabled.js [ Failure Pass ]\n\n# Sheriff 2019-03-20\ncrbug.com/943969 [ Win ] inspector-protocol/css/css-get-media-queries.js [ Failure Pass ]\n\n# Sheriff 2019-03-25\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-add-new-rule-tab.js [ Failure Pass ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-add-new-rule.js [ Failure Pass Skip Timeout ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-disable-inherited.js [ Failure Pass ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-change-node-while-editing.js [ Failure Pass ]\n\n# Tests using testRunner.useUnfortunateSynchronousResizeMode occasionally timeout,\n# but the test coverage is still good.\ncrbug.com/919789 css3/viewport-percentage-lengths/viewport-percentage-lengths-resize.html [ Pass Timeout ]\ncrbug.com/919789 compositing/transitions/transform-on-large-layer-expected.html [ Pass Timeout ]\ncrbug.com/919789 fast/autoresize/turn-off-autoresize.html [ Pass Timeout ]\ncrbug.com/919789 fast/autoresize/basic.html [ Pass Timeout ]\ncrbug.com/919789 fast/dom/viewport/resize-event-fired-window-resized.html [ Pass Timeout ]\ncrbug.com/919789 fast/dom/Window/window-resize-contents.html [ Pass Timeout ]\ncrbug.com/919789 fast/events/resize-events-count.html [ Pass Timeout ]\ncrbug.com/919789 virtual/text-antialias/line-break-between-text-nodes-with-inline-blocks.html [ Pass Timeout ]\ncrbug.com/919789 media/controls/overflow-menu-hide-on-resize.html [ Pass Timeout ]\ncrbug.com/919789 [ Linux ] paint/invalidation/resize-iframe-text.html [ Pass Timeout ]\ncrbug.com/919789 [ Mac10.13 ] paint/invalidation/resize-iframe-text.html [ Pass Timeout ]\ncrbug.com/919789 paint/invalidation/scroll/scrollbar-damage-and-full-viewport-repaint.html [ Pass Timeout ]\ncrbug.com/919789 paint/invalidation/window-resize/* [ Pass Timeout ]\n\ncrbug.com/1021627 fast/dom/rtl-scroll-to-leftmost-and-resize.html [ Failure Pass Timeout ]\ncrbug.com/1130876 fast/dynamic/window-resize-scrollbars-test.html [ Failure Pass ]\n\n# Sheriff 2019-03-28\ncrbug.com/946890 external/wpt/html/semantics/embedded-content/media-elements/location-of-the-media-resource/currentSrc.html [ Crash Failure Pass ]\ncrbug.com/946711 [ Release ] http/tests/devtools/editor/text-editor-search-switch-editor.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/946712 [ Release ] http/tests/devtools/elements/styles-2/paste-property.js [ Crash Pass Skip Timeout ]\n\n### external/wpt/fetch/sec-metadata/\ncrbug.com/947023 external/wpt/fetch/sec-metadata/font.tentative.https.sub.html [ Failure Pass ]\n\n# Sheriff 2019-04-02\ncrbug.com/947690 [ Debug ] http/tests/history/back-during-beforeunload.html [ Failure Pass ]\n\n# Sheriff 2019-04-09\ncrbug.com/946335 [ Linux ] fast/filesystem/file-writer-abort-depth.html [ Crash Pass ]\ncrbug.com/946335 [ Mac ] fast/filesystem/file-writer-abort-depth.html [ Crash Pass ]\n\n# The postMessage() calls intended to complete the test are blocked due to being\n# cross-origin between the portal and the host..\ncrbug.com/1220891 virtual/portals/external/wpt/portals/csp/frame-src.sub.html [ Timeout ]\n\n# Sheriff 2019-04-17\ncrbug.com/953591 [ Win ] fast/forms/datalist/input-appearance-range-with-transform.html [ Failure Pass ]\ncrbug.com/953591 [ Win ] transforms/matrix-02.html [ Failure Pass ]\ncrbug.com/938884 http/tests/devtools/elements/styles-3/styles-add-blank-property.js [ Pass Skip Timeout ]\n\n# Sheriff 2019-04-30\ncrbug.com/948785 [ Debug ] fast/events/pointerevents/pointer-event-consumed-touchstart-in-slop-region.html [ Failure Pass ]\n\n# Sheriff 2019-05-01\ncrbug.com/958347 [ Linux ] external/wpt/editing/run/removeformat.html [ Crash Pass ]\ncrbug.com/958426 [ Mac10.13 ] virtual/text-antialias/line-break-ascii.html [ Pass Timeout ]\n\n# This test might need to be removed.\ncrbug.com/954349 fast/forms/autofocus-in-sandbox-with-allow-scripts.html [ Timeout ]\n\n# Sheriff 2019-05-11\ncrbug.com/962139 [ Debug Linux ] external/wpt/html/infrastructure/urls/dynamic-changes-to-base-urls/dynamic-urls.sub.html [ Crash Pass ]\ncrbug.com/962139 [ Debug Linux ] external/wpt/html/infrastructure/urls/dynamic-changes-to-base-urls/historical.sub.xhtml [ Crash Pass ]\n\n# Sheriff 2019-05-13\ncrbug.com/865432 [ Linux ] external/wpt/workers/modules/dedicated-worker-import-blob-url.any.worker.html [ Pass Timeout ]\ncrbug.com/867532 [ Linux ] external/wpt/workers/modules/dedicated-worker-import-data-url.any.worker.html [ Pass Timeout ]\ncrbug.com/867532 [ Linux ] external/wpt/workers/modules/dedicated-worker-import.any.worker.html [ Pass Timeout ]\n\n# Sheriff 2020-05-18\ncrbug.com/988248 media/track/track-cue-rendering-position-auto.html [ Failure Pass ]\n\n# Flaky test on all platforms.\ncrbug.com/988248 media/track/track-cue-rendering-position-auto-rtl.html [ Failure Pass ]\n\n# Failing because of revert of If931c1faff528a87d8a78808f30225ebe2377072.\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_tracks.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/3_tracks.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre-line_wrapped.html [ Failure ]\n\n# Sheriff 2019-06-04\ncrbug.com/970135 [ Mac ] virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-interested-element-indicated.html [ Failure ]\ncrbug.com/970334 [ Mac ] fast/spatial-navigation/snav-tiny-table-traversal.html [ Failure ]\ncrbug.com/970142 http/tests/security/mixedContent/insecure-css-resources.html [ Failure ]\n\n# Sheriff 2019-06-05\ncrbug.com/971259 media/controls/volumechange-stopimmediatepropagation.html [ Failure Pass ]\n\ncrbug.com/974710 [ Win7 ] http/tests/security/isolatedWorld/bypass-main-world-csp-iframes.html [ Failure Pass ]\n\n# Expected new failures until crbug.com/535738 is fixed. The failures also vary\n# based on codecs in build config, so just marking failure here instead of\n# specific expected text results.\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-implicit.html [ Failure ]\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-negative.html [ Failure ]\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-without-codecs-parameter.html [ Failure ]\n\n# Sheriff 2019-06-26\ncrbug.com/978966 [ Mac ] paint/markers/ellipsis-mixed-text-in-ltr-flow-with-markers.html [ Failure Pass ]\n\n# Sheriff 2019-06-27\ncrbug.com/979243 [ Mac ] editing/selection/inline-closest-leaf-child.html [ Failure Pass ]\ncrbug.com/979336 [ Mac ] fast/dynamic/anonymous-block-orphaned-lines.html [ Failure Pass ]\n\n# Sheriff 2019-07-04\ncrbug.com/981267 http/tests/devtools/persistence/persistence-move-breakpoints-on-reload.js [ Failure Pass Skip Timeout ]\n# TODO(crbug.com/980588): reenable once WPT is fixed\ncrbug.com/980588 external/wpt/screen-orientation/lock-unlock-check.html [ Failure Pass ]\n\n# Sheriff 2019-07-18\ncrbug.com/985232 [ Win7 ] external/wpt/html/semantics/scripting-1/the-script-element/module/dynamic-import/dynamic-imports-credentials.sub.html [ Failure Pass ]\n\n# Sheriff 2019-07-24\ncrbug.com/986282 external/wpt/client-hints/accept-ch-lifetime.tentative.https.html [ Failure Pass ]\n\n# Sheriff 2019-07-26\ncrbug.com/874866 [ Debug Linux ] media/controls/doubletap-to-jump-backwards.html [ Failure ]\ncrbug.com/988246 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.serviceworker.html [ Skip ]\ncrbug.com/959129 http/tests/devtools/tracing/timeline-script-parse.js [ Failure Pass ]\n\n# WebRTC tests that fails (by timing out) because `getSynchronizationSources()`\n# on the audio side needs a hardware sink for the returned dictionary entries to\n# get updated.\n#\n# Temporarily replaced by:\n# - WebRtcAudioBrowserTest.EstablishAudioOnlyCallAndVerifyGetSynchronizationSourcesWorks\n# - WebRtcBrowserTest.EstablishVideoOnlyCallAndVerifyGetSynchronizationSourcesWorks\ncrbug.com/988432 external/wpt/webrtc/RTCRtpReceiver-getSynchronizationSources.https.html [ Pass Skip Timeout ]\n\n# Sheriff 2019-07-29\ncrbug.com/937811 [ Release Win ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-3.js [ Failure Pass Skip Timeout ]\n\n# Pending enabling navigation feature\ncrbug.com/705583 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_navigate_history_go_back.html [ Skip ]\ncrbug.com/705583 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_navigate_history_go_forward.html [ Skip ]\n\n# Sheriff 2019-07-31\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-with-shadow.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-all.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-padding.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-with-mask.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-border.html [ Failure ]\n\n# Sheriff 2019-08-01\ncrbug.com/989717 [ Fuchsia ] http/tests/preload/avoid_delaying_onload_link_preload.html [ Failure Pass ]\n\n# Expected failures for forced colors mode tests when the corresponding flags\n# are not enabled.\ncrbug.com/970285 external/wpt/forced-colors-mode/* [ Failure ]\ncrbug.com/970285 virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/* [ Pass ]\n\n# Sheriff 2019-08-14\ncrbug.com/993671 [ Win ] http/tests/media/video-frame-size-change.html [ Failure Pass ]\n\n#Sherrif 2019-08-16\ncrbug.com/994692 [ Linux ] compositing/reflections/nested-reflection-anchor-point.html [ Failure Pass ]\ncrbug.com/994692 [ Win ] compositing/reflections/nested-reflection-anchor-point.html [ Failure Pass ]\n\ncrbug.com/996219 [ Win ] virtual/text-antialias/emoji-vertical-origin-visual.html [ Failure ]\n\n# Sheriff 2019-08-22\ncrbug.com/994008 [ Linux ] http/tests/devtools/elements/styles-3/styles-computed-trace.js [ Failure Pass Skip Timeout ]\ncrbug.com/994008 [ Win ] http/tests/devtools/elements/styles-3/styles-computed-trace.js [ Failure Pass Skip Timeout ]\ncrbug.com/994034 [ Linux ] http/tests/devtools/elements/styles-3/styles-add-new-rule-colon.js [ Failure Pass Skip Timeout ]\ncrbug.com/994034 [ Win ] http/tests/devtools/elements/styles-3/styles-add-new-rule-colon.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/995669 [ Win ] http/tests/media/video-throttled-load-metadata.html [ Crash Failure Pass ]\n\n# Sheriff 2019-08-26\ncrbug.com/997669 [ Win ] http/tests/devtools/search/sources-search-scope-in-files.js [ Crash Pass ]\ncrbug.com/626703 external/wpt/css/css-paint-api/custom-property-animation-on-main-thread.https.html [ Failure Pass ]\n\ncrbug.com/1015130 external/wpt/largest-contentful-paint/first-paint-equals-lcp-text.html [ Failure Pass ]\n\ncrbug.com/1000051 media/controls/volume-slider.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-09-04\ncrbug.com/1000396 [ Win ] media/video-remove-insert-repaints.html [ Failure Pass ]\n\n# Sheriff 2019-09-09\ncrbug.com/1001817 external/wpt/css/css-ui/text-overflow-016.html [ Failure Pass ]\ncrbug.com/1001816 external/wpt/css/css-masking/clip-path/clip-path-inline-003.html [ Failure Pass ]\ncrbug.com/1001814 external/wpt/css/css-masking/clip-path/clip-path-inline-002.html [ Failure Pass ]\n\n# Sheriff 2019-09-10\ncrbug.com/1002527 [ Debug ] virtual/text-antialias/large-text-composed-char.html [ Crash Pass ]\n\n# Tests fail because of missing scroll snap for #target and bugs in scrollIntoView\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-align-001.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-align-002.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-snap-001.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-snap-002.html [ Failure ]\n\n# Sheriff 2019-09-20\ncrbug.com/1005128 crypto/subtle/abandon-crypto-operation2.html [ Crash Pass ]\n\n# Sheriff 2019-09-30\ncrbug.com/1003715 [ Win10.20h2 ] http/tests/notifications/serviceworker-notification-properties.html [ Failure Pass Timeout ]\n\n\n# Sheriff 2019-10-01\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/fallback-traits-fixup.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/international/bold-bengali.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/selection/khmer-selection.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] fast/writing-mode/Kusa-Makura-background-canvas.html [ Failure ]\n\n# Sheriff 2019-10-02\ncrbug.com/1010483 [ Win ] fast/parser/residual-style-dom.html [ Crash Pass ]\ncrbug.com/1010483 [ Win ] fast/parser/residual-style-hang.html [ Crash Pass ]\ncrbug.com/1010483 [ Win ] fast/selectors/specificity-overflow.html [ Crash Pass ]\n\n# Sheriff 2019-10-16\ncrbug.com/1014812 external/wpt/animation-worklet/playback-rate.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-10-18\ncrbug.com/1015975 media/video-currentTime.html [ Failure Pass ]\n\n# Sheriff 2019-10-21\ncrbug.com/1016456 external/wpt/dom/ranges/Range-mutations-dataChange.html [ Crash Pass Skip Timeout ]\n\n# Sheriff 2019-10-30\ncrbug.com/1014810 [ Mac ] virtual/threaded/external/wpt/animation-worklet/stateful-animator.https.html [ Crash Pass Timeout ]\n\n# Temporarily disabled to a breakpoint non-determinism issue.\ncrbug.com/1019613 http/tests/devtools/sources/debugger/debug-inlined-scripts.js [ Failure Pass ]\n\n# First frame not always painted in time\ncrbug.com/1024976 media/controls/paint-controls-webkit-appearance-none-custom-bg.html [ Failure Pass ]\n\n# iframe.freeze plumbing is not hooked up at the moment.\ncrbug.com/907125 external/wpt/lifecycle/freeze.html [ Failure ] # wpt_subtest_failure\ncrbug.com/907125 external/wpt/lifecycle/child-out-of-viewport.tentative.html [ Failure Timeout ]\ncrbug.com/907125 external/wpt/lifecycle/child-display-none.tentative.html [ Failure Timeout ]\ncrbug.com/907125 external/wpt/lifecycle/worker-dispay-none.tentative.html [ Failure Timeout ]\n\n# Sheriff 2019-11-15\ncrbug.com/1025123 external/wpt/longtask-timing/longtask-in-sibling-iframe-crossorigin.html [ Failure Pass ]\ncrbug.com/1025321 [ Win ] http/tests/devtools/tracing/console-timeline.js [ Failure Pass ]\n\n# Timeout media preload test until preloading media destinations gets enabled.\ncrbug.com/977033 http/tests/priorities/resource-load-priorities-media-preload.html [ Timeout ]\n\n# Sheriff 2019-11-26\ncrbug.com/1028684 http/tests/inspector-protocol/animation/animation-release.js [ Failure Pass ]\n\n# Sheriff 2019-11-29\ncrbug.com/1019079 fast/canvas/OffscreenCanvas-placeholder-createImageBitmap.html [ Failure Pass ]\ncrbug.com/1027434 external/wpt/html/browsers/origin/cross-origin-objects/cross-origin-objects.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-12-02\ncrbug.com/1029528 [ Linux ] http/tests/devtools/network/oopif-content.js [ Failure Pass ]\n\ncrbug.com/1031345 media/controls/overlay-play-button-tap-to-hide.html [ Pass Timeout ]\n\n# Temporary SkiaRenderer regressions\ncrbug.com/1029941 [ Linux ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\ncrbug.com/1029941 [ Linux ] transforms/3d/point-mapping/3d-point-mapping-deep.html [ Failure ]\ncrbug.com/1029941 [ Linux ] virtual/exotic-color-space/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure ]\ncrbug.com/1029941 [ Win ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\n\n# Failing document policy tests\ncrbug.com/993790 external/wpt/document-policy/required-policy/separate-document-policies.html [ Failure ]\n\ncrbug.com/1134464 http/tests/images/document-policy/document-policy-oversized-images-edge-cases.php [ Pass Timeout ]\n\n# Skipping because of unimplemented behaviour\ncrbug.com/965495 external/wpt/feature-policy/experimental-features/focus-without-user-activation-enabled-tentative.sub.html [ Skip ]\ncrbug.com/965495 external/wpt/permissions-policy/experimental-features/focus-without-user-activation-enabled-tentative.sub.html [ Skip ]\n\ncrbug.com/834302 external/wpt/permissions-policy/permissions-policy-opaque-origin.https.html [ Failure ]\n\n# Temporary suppression to allow devtools-frontend changes\ncrbug.com/1029489 http/tests/devtools/elements/elements-linkify-attributes.js [ Failure Pass Skip Timeout ]\ncrbug.com/1030258 http/tests/devtools/network/network-cookies-pane.js [ Failure Pass ]\ncrbug.com/1041830 http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile.js [ Failure Pass ]\n\n# Sheriff 2019-12-13\ncrbug.com/1032451 [ Win7 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/idlharness.https.window.html [ Failure Pass ]\ncrbug.com/1033852 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure ]\n\n# Sheriff 2019-12-16\ncrbug.com/1034374 http/tests/devtools/tracing/timeline-worker-events.js [ Failure Pass ]\ncrbug.com/1034513 [ Win7 ] virtual/stable/fast/dom/Window/window-resize-contents.html [ Failure Pass ]\n\n# Assertion errors need to be fixed\ncrbug.com/1034492 http/tests/devtools/unit/filtered-item-selection-dialog-filtering.js [ Failure Pass ]\ncrbug.com/1034492 http/tests/devtools/unit/filtered-list-widget-providers.js [ Failure Pass ]\n\n# Sheriff 2019-12-23\ncrbug.com/1036626 http/tests/devtools/tracing/tracing-record-input-events.js [ Failure Pass ]\n\n# Sheriff 2019-12-27\ncrbug.com/1038091 virtual/gpu-rasterization/images/jpeg-yuv-image-decoding.html [ Failure Pass ]\ncrbug.com/1038139 [ Win ] virtual/gpu-rasterization/images/2-comp.html [ Failure Pass ]\n\n# Sheriff 2020-01-02\ncrbug.com/1038656 [ Mac ] http/tests/devtools/coverage/coverage-view-unused.js [ Failure Pass ]\ncrbug.com/1038656 [ Win ] http/tests/devtools/coverage/coverage-view-unused.js [ Failure Pass ]\n\n# Temporarily disabled to land Linkifier changes in DevTools\ncrbug.com/963183 http/tests/devtools/jump-to-previous-editing-location.js [ Failure Pass ]\n\n# Broken in https://chromium-review.googlesource.com/c/chromium/src/+/1636716\ncrbug.com/963183 http/tests/devtools/sources/debugger-breakpoints/disable-breakpoints.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/836300 fast/css3-text/css3-text-decoration/text-decoration-skip-ink-links.html [ Failure Pass ]\n\n# Sheriff 2020-01-14\ncrbug.com/1041973 external/wpt/html/semantics/forms/constraints/form-validation-reportValidity.html [ Failure Pass ]\n\n# Disable for landing devtools changes\ncrbug.com/1006759 http/tests/devtools/console/argument-hints.js [ Failure Pass ]\n\n# Failing origin trial for css properties test\ncrbug.com/1041993 http/tests/origin_trials/sample-api-script-added-after-css-declaration.html [ Failure ]\n\n# Sheriff 2020-01-20\ncrbug.com/1043357 http/tests/credentialmanager/credentialscontainer-get-with-virtual-authenticator.html [ Failure Pass Timeout ]\n\n# Ref_Tests which fail when SkiaRenderer is enable, and which cannot be\n# rebaselined. TODO(jonross): triage these into any existing bugs or file more\n# specific bugs.\ncrbug.com/1043675 [ Linux ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1043675 [ Linux ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Linux ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Linux ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1043675 [ Linux ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1043675 [ Linux ] http/tests/media/video-frame-size-change.html [ Failure ]\ncrbug.com/1043675 [ Linux ] svg/custom/svg-root-with-opacity.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Win ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1043675 [ Win ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1043675 [ Win ] svg/custom/svg-root-with-opacity.html [ Failure ]\n\n# Required to land DevTools change\ncrbug.com/106759 http/tests/devtools/command-line-api-inspect.js [ Failure Pass ]\ncrbug.com/106759 http/tests/devtools/sources/debugger-console/debugger-command-line-api.js [ Failure Pass ]\n\ncrbug.com/989665 [ Mac ] external/wpt/resource-timing/resource_timing_buffer_full_eventually.html [ Crash Pass ]\ncrbug.com/989665 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/resource_timing_buffer_full_eventually.html [ Crash Pass ]\n\n# Sheriff 2020-01-23\ncrbug.com/1044505 http/tests/devtools/tracing-session-id.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/1046784 http/tests/devtools/oopif/oopif-storage.js [ Failure Pass ]\ncrbug.com/1046784 http/tests/inspector-protocol/service-worker/target-reloaded-after-crash.js [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-28\ncrbug.com/1046201 [ Mac ] fast/forms/calendar-picker/calendar-picker-appearance-zoom125.html [ Failure Pass ]\ncrbug.com/1046440 fast/loader/submit-form-while-parsing-2.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-29\ncrbug.com/995663 [ Linux ] http/tests/media/autoplay/document-user-activation-cross-origin-feature-policy-header.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-30\ncrbug.com/1047208 http/tests/serviceworker/update-served-from-cache.html [ Failure Pass ]\ncrbug.com/1047293 [ Mac ] editing/pasteboard/pasteboard_with_unfocused_selection.html [ Failure Pass ]\n\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-004.tentative.html [ Failure ]\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-005.tentative.html [ Failure ]\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-animated-002.html [ Failure ]\n\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-004.tentative.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-005.tentative.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-animated-002.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/preserve-3d-flat-grouping-properties-containing-block.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-abspos.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-fixpos.html [ Pass ]\ncrbug.com/1008483 [ Fuchsia ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.12 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.13 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.14 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.15 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac11 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Win ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Fuchsia ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.12 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.13 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.14 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.15 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac11 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Win ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/compositing/overflow/scroll-parent-with-non-stacking-context-composited-ancestor.html [ Failure ]\ncrbug.com/1008483 virtual/backface-visibility-interop/paint/invalidation/stacking-context-lost.html [ Failure ]\ncrbug.com/1008483 virtual/backface-visibility-interop/paint/invalidation/multicol/multicol-as-paint-container.html [ Failure ]\n\n# Swiftshader issue.\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-innerwidth.html [ Crash Skip Timeout ]\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-screeny.html [ Crash Skip Timeout ]\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-width.html [ Crash Skip Timeout ]\ncrbug.com/1048149 [ Mac ] http/tests/inspector-protocol/emulation/emulation-oopifs.js [ Crash ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/calendar-picker-appearance.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/calendar-picker-touch-operations.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/date-picker-choose-default-value-after-set-value.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/month-picker-appearance.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/month-picker-appearance-step.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-appearance-zoom125.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-top-left-selection-position-after-reopen.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-zoom150-bottom-edge-no-nan.html [ Crash Pass ]\ncrbug.com/1048149 crbug.com/1050121 [ Mac ] fast/forms/month/month-picker-appearance-zoom150.html [ Crash Failure Pass ]\n\n# SwANGLE issues\ncrbug.com/1204234 css3/blending/background-blend-mode-single-accelerated-element.html [ Failure ]\n\n# Upcoming DevTools change\ncrbug.com/1006759 http/tests/devtools/profiler/cpu-profiler-save-load.js [ Failure Pass Skip Timeout ]\ncrbug.com/1006759 http/tests/devtools/profiler/heap-snapshot-loader.js [ Failure Pass ]\n\n# Temporarily disabled to land changes in DevTools, multiple dependent CLs\n# [1] https://chromium-review.googlesource.com/c/devtools/devtools-frontend/+/2049183\n# [2] https://chromium-review.googlesource.com/c/devtools/devtools-frontend/+/2119670\ncrbug.com/1064472 http/tests/devtools/elements/elements-tab-stops.js [ Failure Pass ]\n\ncrbug.com/1049456 fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass ]\ncrbug.com/1081277 fast/scrolling/events/scrollend-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass ]\ncrbug.com/1080997 fast/scrolling/events/scrollend-event-fired-to-scrolled-element.html [ Failure Pass ]\n\n# \"in-multicol-child.html\" is laid out in legacy layout due by \"multicol\" but\n# reference is laid out by LayoutNG.\ncrbug.com/829028 [ Mac ] editing/caret/in-multicol-child.html [ Failure ]\n\n# Flaky tests blocking WPT import\ncrbug.com/1054577 [ Linux ] virtual/storage-access-api/external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\ncrbug.com/1054577 [ Win ] virtual/storage-access-api/external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\ncrbug.com/1054577 [ Mac ] external/wpt/media-source/mediasource-detach.html [ Failure Pass ]\ncrbug.com/1054577 [ Mac ] external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\n\n# Failing tests because of enabling scroll unification flag\ncrbug.com/476553 virtual/scroll-unification/external/wpt/dom/events/scrolling/overscroll-event-fired-to-scrolled-element.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/hit-test-counts.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-cursor-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/platform-wheelevent-paging-xy-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/remove-child-onscroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/scroll-without-mouse-lacks-mousemove-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/touch-latched-scroll-node-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/focus-selectionchange-on-tap.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar-mainframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar-textarea.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-click-common-ancestor.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-frame-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-scroll-input-field.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-scroll-listbox.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/wheel/wheel-latched-scroll-node-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/resize-corner-tracking-touch.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/subpixel-overflow-mouse-drag.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/destroy-middle-click-locked-target-crash.html [ Crash Failure Pass Skip Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/scroll-cross-origin-iframes.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/scroll-cross-origin-iframes-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/gesture-events-scrolled.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/gesture-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/mouse-click-iframe-to-plugin.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/sequential-focus.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/transformed-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/listbox-scrollbar-combinations.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-layout_ng_block_frag/fast/forms/fieldset/fieldset-legend-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-deleted-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Crash Failure Pass Skip Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/auto-scrollbar-fades-out.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/basic-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/disabled-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/hidden-scrollbars-invisible.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/listbox-scrollbar-combinations.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/overlay-scrollbars-within-overflow-scroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-buttons.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-corner-colors.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-orientation.html [ Crash Failure Pass Timeout ]\n\ncrbug.com/1253630 [ Win ] virtual/scroll-unification-overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure Pass ]\ncrbug.com/1098383 [ Mac ] fast/events/scrollbar-double-click.html [ Failure Pass ]\n\n# Sheriff 2020-02-07\n\ncrbug.com/1050039 [ Mac ] fast/events/onbeforeunload-focused-iframe.html [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1006759 http/tests/devtools/elements/styles-1/edit-value-url-with-color.js [ Skip ]\ncrbug.com/1006759 http/tests/devtools/sources/css-outline-dialog.js [ Skip ]\n\n#Mixed content autoupgrades make these tests not applicable, since they check for mixed content audio/video\ncrbug.com/1025274 external/wpt/mixed-content/gen/top.meta/unset/audio-tag.https.html [ Failure ]\ncrbug.com/1025274 external/wpt/mixed-content/gen/top.meta/unset/video-tag.https.html [ Failure ]\ncrbug.com/1025274 http/tests/security/mixedContent/insecure-audio-video-in-main-frame.html [ Failure ]\n\n# Sheriff 2020-02-19\ncrbug.com/1053903 external/wpt/webxr/events_referenceSpace_reset_inline.https.html [ Failure Pass Timeout ]\n\n### Subset of scrolling tests that are failing when percent-based scrolling feature is enabled\n# Please look at FlagExpectations/enable-percent-based-scrolling for a full list of known regressions\n\n# fast/events/wheel\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/events/wheel/wheel-in-scrollbar.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/events/wheel/wheelevent-ctrl.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheel-in-scrollbar.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheelevent-ctrl.html [ Failure Timeout ]\n# Timeout only for compositor-threaded\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheel-latched-scroll-node-removed.html [ Timeout ]\n\n# fast/scrolling\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/hover-during-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/overflow-scrollability.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/fractional-scroll-offset-document.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/scroll-animation-on-by-default.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/wheel-scroll-latching-on-scrollbar.html [ Failure Pass ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/hover-during-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/overflow-scrollability.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/fractional-scroll-offset-document.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/scroll-animation-on-by-default.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/wheel-scroll-latching-on-scrollbar.html [ Failure Pass ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/mouse-scrolling-over-standard-scrollbar.html [ Failure Pass ]\n\n# fast/scrolling/events\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-document.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-window.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-document.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-window.html [ Failure Timeout ]\n\n### END PERCENT BASED SCROLLING TEST FAILURES\n\n# Sheriff 2020-02-28\ncrbug.com/1056879 [ Win7 ] external/wpt/webxr/xrSession_requestAnimationFrame_getViewerPose.https.html [ Failure Pass Timeout ]\ncrbug.com/1053861 http/tests/devtools/network/network-initiator-chain.js [ Failure Pass ]\n\ncrbug.com/1057822 http/tests/misc/synthetic-gesture-initiated-in-cross-origin-frame.html [ Crash Failure Pass ]\ncrbug.com/1131977 [ Mac ] http/tests/misc/hover-state-recomputed-on-main-frame.html [ Timeout ]\ncrbug.com/1057351 virtual/threaded-no-composited-antialiasing/animations/responsive/interpolation/offset-rotate-responsive.html [ Failure Pass ]\ncrbug.com/1057351 virtual/threaded-no-composited-antialiasing/animations/stability/empty-keyframes.html [ Failure Pass ]\n\n### sheriff 2020-03-03\ncrbug.com/1058073 [ Mac ] http/tests/devtools/service-workers/sw-navigate-useragent.js [ Failure Pass ]\ncrbug.com/1058137 virtual/threaded/http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\n\n# Ecosystem-Infra Sheriff 2020-03-04\ncrbug.com/1058403 external/wpt/webaudio/the-audio-api/the-audioworklet-interface/suspended-context-messageport.https.html [ Crash Failure ]\n\n# Ecosystem-Infra Sheriff 2020-04-15\ncrbug.com/1070995 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/blob-data.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-03-05\ncrbug.com/1058073 [ Mac10.14 ] accessibility/content-changed-notification-causes-crash.html [ Failure Pass ]\n\n# Sheriff 2020-03-06\ncrbug.com/1059262 http/tests/worklet/webexposed/global-interface-listing-paint-worklet.html [ Failure Pass ]\ncrbug.com/1058244 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/scrollbar-rtl-manipulation.html [ Failure Pass ]\n\n# Sheriff 2020-03-08\ncrbug.com/1059645 external/wpt/pointerevents/pointerevent_coalesced_events_attributes.html [ Failure Pass ]\n\n# Failing on Fuchsia due to dependency on FuchsiaMediaResourceProvider, which is not implemented in content_shell.\ncrbug.com/1061226 [ Fuchsia ] fast/mediastream/MediaStream-onactive-oninactive.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/html/cross-origin-embedder-policy/credentialless/video.tentative.https.window.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/mediacapture-streams/MediaStream-idl.https.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/webaudio/the-audio-api/the-audioworklet-interface/baseaudiocontext-audioworklet.https.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/webaudio/the-audio-api/the-pannernode-interface/panner-equalpower-stereo.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] wpt_internal/speech/scripted/speechrecognition-restart-onend.html [ Skip ]\n\n# Sheriff 2020-03-13\ncrbug.com/1061043 fast/plugins/keypress-event.html [ Failure Pass ]\ncrbug.com/1061131 [ Mac ] editing/selection/replaced-boundaries-1.html [ Failure Pass ]\n\ncrbug.com/1058888 [ Linux ] animations/animationworklet/peek-updated-composited-property-on-main.html [ Failure Pass ]\n\n# [virtual/...]external/wpt/web-animation test flakes\ncrbug.com/1064065 virtual/threaded/external/wpt/css/css-animations/event-dispatch.tentative.html [ Failure Pass ]\n\n# Sheriff 2020-04-01\ncrbug.com/1066122 virtual/threaded-no-composited-antialiasing/animations/events/animation-iteration-event.html [ Failure Pass ]\ncrbug.com/1066732 fast/events/platform-wheelevent-paging-x-in-scrolling-div.html [ Failure Pass ]\ncrbug.com/1066732 fast/events/platform-wheelevent-paging-y-in-scrolling-div.html [ Failure Pass ]\n\n# Temporarily disabled for landing changes to DevTools frontend\ncrbug.com/1066579 http/tests/devtools/har-importer.js [ Failure Pass ]\n\n# Flaky test, happens only on Mac 10.13.\n# The \"timeout\" was detected by the wpt-importer bot.\ncrbug.com/1069714 [ Mac10.13 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Failure Pass Skip Timeout ]\n\n# COOP top navigation:\ncrbug.com/1153648 external/wpt/html/cross-origin-opener-policy/navigate-top-to-aboutblank.https.html [ Failure ]\n\n# Stale revalidation shouldn't be blocked:\ncrbug.com/1079188 external/wpt/fetch/stale-while-revalidate/revalidate-not-blocked-by-csp.html [ Timeout ]\n\n# Web Audio active processing tests\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-audiobuffersourcenode-interface/active-processing.https.html [ Crash Failure Pass ]\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-channelmergernode-interface/active-processing.https.html [ Crash Failure Pass ]\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-convolvernode-interface/active-processing.https.html [ Crash Failure Pass ]\n\n# Sheriff 2020-04-22\n# Flaky test.\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/* [ Failure Pass ]\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/before-prepare-iframe-success-external-module.html [ Failure Pass ]\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/before-prepare-iframe-fetch-error-external-module.html [ Failure Pass ]\n\n# Sheriff 2020-04-23\ncrbug.com/1073792 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/events/scrollend-event-fired-after-snap.html [ Failure Pass ]\n\n# the inspector-protocol/media tests only work in the virtual test environment.\ncrbug.com/1074129 inspector-protocol/media/media-player.js [ TIMEOUT ]\n\n# Sheriff 2020-05-04\ncrbug.com/952717 [ Debug ] http/tests/xmlhttprequest/redirect-cross-origin-post.html [ Failure Pass ]\n\n# Sheriff 2020-05-18\ncrbug.com/1084256 [ Linux ] http/tests/misc/insert-iframe-into-xml-document-before-xsl-transform.html [ Failure Pass ]\ncrbug.com/1084256 [ Mac ] http/tests/misc/insert-iframe-into-xml-document-before-xsl-transform.html [ Failure Pass ]\ncrbug.com/1084276 [ Mac ] http/tests/security/offscreencanvas-placeholder-read-blocked-no-crossorigin.html [ Crash Failure Pass ]\n\n# Disabled to prepare fixing the tests in V8\ncrbug.com/v8/10556 external/wpt/wasm/jsapi/instance/constructor-caching.any.html [ Failure Pass ]\ncrbug.com/v8/10556 external/wpt/wasm/jsapi/instance/constructor-caching.any.worker.html [ Failure Pass ]\n\n# Temporarily disabled to land the new wasm exception handling JS API\ncrbug.com/v8/11992 external/wpt/wasm/jsapi/exception/* [ Skip ]\ncrbug.com/v8/11992 external/wpt/wasm/jsapi/tag/* [ Skip ]\n\n# Disabled for landing DevTools change\ncrbug.com/1011811 http/tests/devtools/network/network-xhr-data-received-async-response-type-blob.js [ Failure Pass ]\ncrbug.com/1011811 http/tests/devtools/network/download.js [ Failure Pass ]\ncrbug.com/1011811 http/tests/devtools/sxg/sxg-disable-cache.js [ Failure Pass ]\n\ncrbug.com/1080609 virtual/threaded/external/wpt/scroll-animations/element-based-offset.html [ Failure Pass ]\ncrbug.com/1080609 virtual/threaded/external/wpt/scroll-animations/element-based-offset-clamp.html [ Failure Pass ]\n\ncrbug.com/971031 [ Mac ] fast/dom/timer-throttling-hidden-page.html [ Failure Pass ]\n\ncrbug.com/1071189 [ Debug ] editing/selection/programmatic-selection-on-mac-is-directionless.html [ Pass Timeout ]\n\n# Sheriff 2020-05-27\ncrbug.com/1046784 http/tests/devtools/elements/styles/stylesheet-tracking.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2020-05-28\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit.html [ Failure ]\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit-3.html [ Failure ]\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit-to-different-origin-frame.html [ Failure ]\n\n# Sheriff 2020-05-29\ncrbug.com/1084637 compositing/video/video-reflection.html [ Failure Pass ]\ncrbug.com/1083362 compositing/reflections/load-video-in-reflection.html [ Failure Pass ]\ncrbug.com/1087471 [ Linux ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Failure Pass ]\n\n# Sheriff 2020-06-01\n# Also see crbug.com/626703, these timed-out before but now fail as well.\ncrbug.com/1088475 [ Linux ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure Pass ]\ncrbug.com/1088475 [ Linux ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure Pass ]\n\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvas-zero-size-readback.html [ Crash Pass ]\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvasClearRect.html [ Failure Pass ]\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvasClearRectPartial.html [ Failure Pass ]\n\n# Sheriff 2020-06-03\ncrbug.com/1007228 [ Mac ] external/wpt/fullscreen/api/element-request-fullscreen-and-move-to-iframe-manual.html [ Failure Pass ]\n\n# Disabled for landing DevTools change\ncrbug.com/1011811 http/tests/devtools/persistence/automapping-sourcemap.js [ Failure Pass ]\n\n# Sheriff 2020-06-06\ncrbug.com/1091843 fast/canvas/color-space/canvas-createImageBitmap-p3.html [ Failure Pass ]\n\n# Flaky test\ncrbug.com/1093198 external/wpt/webrtc/RTCPeerConnection-addIceCandidate-timing [ Failure Pass ]\n\n# Sheriff 2020-06-09\ncrbug.com/1093003 [ Mac ] external/wpt/html/rendering/replaced-elements/embedded-content/cross-domain-iframe.sub.html [ Failure Pass ]\n\n# Sheriff 2020-06-11\ncrbug.com/1093026 [ Linux ] http/tests/security/offscreencanvas-placeholder-read-blocked-no-crossorigin.html [ Failure Pass ]\n\n# Ecosystem-Infra Rotation 2020-06-15\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-content-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-border-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-stroke-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-fill-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-border-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-content-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-stroke-box.html [ Failure ]\n\n# Temporarily disable test to allow devtools-frontend changes\ncrbug.com/1095733 http/tests/devtools/tabbed-pane-closeable-persistence.js [ Skip ]\n\n# Sheriff 2020-06-17\ncrbug.com/1095969 [ Mac ] fast/canvas/OffscreenCanvas-MessageChannel-transfer.html [ Failure Pass ]\ncrbug.com/1095969 [ Linux ] fast/canvas/OffscreenCanvas-MessageChannel-transfer.html [ Failure Pass ]\ncrbug.com/1092975 http/tests/inspector-protocol/target/target-expose-devtools-protocol.js [ Failure Pass ]\n\ncrbug.com/1096493 external/wpt/webaudio/the-audio-api/the-audiocontext-interface/processing-after-resume.https.html [ Failure ]\n\ncrbug.com/1097005 http/tests/devtools/console/console-object-preview.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1097005 http/tests/devtools/console/console-preserve-scroll.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1097005 http/tests/devtools/console/console-search.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/1093445 http/tests/loading/pdf-commit-load-callbacks.html [ Failure Pass ]\ncrbug.com/1093497 http/tests/history/client-redirect-after-push-state.html [ Failure Pass ]\n\n# Tests blocking WPT importer\ncrbug.com/1098844 external/wpt/wasm/jsapi/functions/entry.html [ Crash Pass Timeout ]\ncrbug.com/1098844 external/wpt/wasm/jsapi/functions/entry-different-function-realm.html [ Crash Pass Timeout ]\n\n#Sheriff 2020-06-25\ncrbug.com/1010170 media/video-played-reset.html [ Failure Pass ]\n\n# Sheriff 2020-07-07\n# Additionally disabled on mac due to crbug.com/988248\ncrbug.com/1083302 media/controls/volumechange-muted-attribute.html [ Failure Pass ]\n\n# Sheriff 2020-07-10\ncrbug.com/1104135 [ Mac10.14 ] virtual/controls-refresh-hc/fast/forms/color-scheme/range/range-pressed-state.html [ Failure Pass ]\n\ncrbug.com/1102167 external/wpt/fetch/redirect-navigate/preserve-fragment.html [ Pass Skip Timeout ]\n\n# Sheriff 2020-07-13\n\ncrbug.com/1104910 [ Mac ] external/wpt/webaudio/the-audio-api/the-oscillatornode-interface/osc-basic-waveform.html [ Failure Pass ]\ncrbug.com/1104910 fast/peerconnection/RTCPeerConnection-reload-interesting-usage.html [ Failure Pass ]\ncrbug.com/1104910 [ Mac ] editing/selection/selection-background.html [ Failure Pass ]\ncrbug.com/1104910 [ Linux ] external/wpt/referrer-policy/gen/worker-module.http-rp/unsafe-url/worker-classic.http.html [ Failure Pass ]\ncrbug.com/1104910 [ Linux ] external/wpt/referrer-policy/gen/worker-module.http-rp/unset/worker-module.http.html [ Failure Pass ]\n\n# Sheriff 2020-07-14\n\ncrbug.com/1105271 [ Mac ] scrollbars/custom-scrollbar-adjust-on-inactive-pseudo.html [ Failure Pass ]\ncrbug.com/1105274 http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-no-url-end-to-end.js [ Failure Pass Skip Timeout ]\ncrbug.com/1105275 [ Mac ] fast/dom/Window/window-onFocus.html [ Failure Pass ]\n\n# Temporarily disable tests to allow fixing of devtools path escaping\ncrbug.com/1094436 http/tests/devtools/overrides/project-added-with-existing-files-bind.js [ Failure Pass Skip Timeout ]\ncrbug.com/1094436 http/tests/devtools/persistence/automapping-urlencoded-paths.js [ Failure Pass ]\ncrbug.com/1094436 http/tests/devtools/sources/debugger/navigator-view.js [ Crash Failure Pass ]\n\n# This test fails due to the linked bug since input is now routed through the compositor.\ncrbug.com/1112508 fast/forms/number/number-wheel-event.html [ Failure ]\n\n# Sheriff 2020-07-20\ncrbug.com/1107722 [ Mac ] http/tests/devtools/tracing/timeline-time/timeline-time.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-layout/timeline-layout-with-invalidations.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-style/timeline-style-recalc-with-invalidations.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-style/timeline-style-recalc-with-invalidator-invalidations.js [ Failure Pass ]\n\n# Sheriff 2020-07-22\ncrbug.com/1107722 [ Mac ] virtual/threaded/http/tests/devtools/tracing/timeline-misc/timeline-event-causes.js [ Failure Pass ]\ncrbug.com/1107722 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-script-id.js [ Failure Pass ]\n\n# Failing on Webkit Linux Leak\ncrbug.com/1046784 [ Linux ] http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\ncrbug.com/1046784 [ Linux ] http/tests/devtools/tracing/timeline-misc/timeline-event-causes.js [ Failure Pass ]\n\n# Sheriff 2020-07-23\ncrbug.com/1108786 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-gc-event.js [ Failure Pass ]\ncrbug.com/1108786 [ Linux ] http/tests/devtools/tracing/timeline-js/timeline-gc-event.js [ Failure Pass ]\n\n# Sheriff 2020-07-27\ncrbug.com/1107944 [ Mac ] http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\n\ncrbug.com/1092794 fast/canvas/OffscreenCanvas-2d-placeholder-willReadFrequently.html [ Failure Pass ]\n\n# Sheriff 2020-08-03\ncrbug.com/1106429 virtual/percent-based-scrolling/max-percent-delta-page-zoom.html [ Failure Pass ]\n\n# Sheriff 2020-08-05\ncrbug.com/1113050 fast/borders/border-radius-mask-video-ratio.html [ Failure Pass ]\ncrbug.com/1113127 fast/canvas/downsample-quality.html [ Crash Failure Pass ]\n\n# Sheriff 2020-08-06\ncrbug.com/1113791 [ Win ] media/video-zoom.html [ Failure Pass ]\n\n# Virtual dark mode tests currently fails.\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/date-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/month-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/time-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/week-suggestion-picker-appearance.html [ Failure ]\n\n# Sheriff 2020-08-11\ncrbug.com/1095540 virtual/threaded-prefer-compositing/fast/scrolling/resize-corner-tracking-touch.html [ Failure Pass ]\n\n# Sheriff 2020-08-17\ncrbug.com/1069546 [ Mac ] compositing/layer-creation/overflow-scroll-overlap.html [ Failure Pass ]\n\n# Unexpected demuxer success after M86 FFmpeg roll.\ncrbug.com/1117613 media/video-error-networkState.html [ Failure Timeout ]\n\n# Sheriff 2020-0-21\ncrbug.com/1120330 virtual/threaded/external/wpt/feature-policy/experimental-features/vertical-scroll-disabled-scrollbar-tentative.html [ Failure Pass ]\ncrbug.com/1120330 virtual/threaded/external/wpt/permissions-policy/experimental-features/vertical-scroll-disabled-scrollbar-tentative.html [ Failure Pass ]\n\ncrbug.com/1122582 external/wpt/html/cross-origin-opener-policy/coop-csp-sandbox-navigate.https.html [ Failure Pass ]\n\n# Sheriff 2020-09-09\ncrbug.com/1126709 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure Pass ]\ncrbug.com/1126709 [ Win ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure Pass ]\n\n# Sheriff 2020-09-17\ncrbug.com/1129347 [ Debug Mac10.13 ] http/tests/devtools/persistence/persistence-external-change-breakpoints.js [ Failure Pass ]\n### virtual/scroll-unification/fast/scrolling/scrollbars/\nvirtual/scroll-unification/fast/scrolling/scrollbars/mouse-scrolling-on-div-scrollbar.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-occluded-by-div.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-rtl-manipulation.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/dsf-ready/mouse-interactions-dsf-2.html [ Failure ]\n\n# Sheriff 2020-09-21\ncrbug.com/1130500 [ Debug Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/xhr/xhr-timeout-longtask.any.worker.html [ Failure Pass ]\n\n# Sheriff 2020-09-22\ncrbug.com/1130533 [ Mac ] external/wpt/xhr/xhr-timeout-longtask.any.html [ Failure Pass ]\n\n# Sheriff 2020-09-22\ncrbug.com/1130533 [ Mac ] external/wpt/xhr/xhr-timeout-longtask.any.worker.html [ Failure Pass ]\n\n# Sheriff 2020-09-23\ncrbug.com/1131551 compositing/transitions/transform-on-large-layer.html [ Failure Pass Timeout ]\ncrbug.com/1057060 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\ncrbug.com/1057060 virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\ncrbug.com/1057060 virtual/scroll-unification/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\n\n# Transform animation reftests\ncrbug.com/1133901 virtual/threaded/external/wpt/css/css-transforms/animation/transform-interpolation-translate-em.html [ Failure ]\ncrbug.com/1133901 virtual/composite-relative-keyframes/external/wpt/css/css-transforms/animation/transform-interpolation-translate-em.html [ Failure ]\n\ncrbug.com/1136163 [ Linux ] external/wpt/pointerevents/pointerlock/pointerevent_movementxy_with_pointerlock.html [ Failure ]\n\n# Mixed content autoupgrades make these tests not applicable, since they check for mixed content images, the tests can be removed when cleaning up pre autoupgrades mixed content code.\ncrbug.com/1042877 external/wpt/fetch/cross-origin-resource-policy/scheme-restriction.https.window.html [ Failure ]\ncrbug.com/1042877 external/wpt/mixed-content/gen/top.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/mixed-content/imageset.https.sub.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/iframe-blank-inherit.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/srcdoc-inherit.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/top.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-css-image-with-reload.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-iframe.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame-allowed.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame-blocked.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/preload-insecure-image-in-main-frame-blocked.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-blocked.https.html [ Timeout ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-in-frame-blocked.https.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-reportonly.https.php [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-via-pref-image-blocked.https.html [ Failure ]\n\ncrbug.com/1046784 http/tests/devtools/sources/debugger/anonymous-script-with-source-map-breakpoint.js [ Failure Pass ]\n\n# Mixed content autoupgrades cause test to fail because test relied on http subresources to test a different origin, needs to be changed to not rely on HTTP URLs.\ncrbug.com/1042877 http/tests/security/img-crossorigin-redirect-credentials.https.html [ Failure ]\n\n# Sheriff 2020-10-09\ncrbug.com/1136687 external/wpt/pointerevents/pointerlock/pointerevent_pointerlock_supercedes_capture.html [ Failure Pass ]\ncrbug.com/1136726 [ Linux ] virtual/gpu-rasterization/images/imagemap-focus-ring-outline-color-not-inherited-from-map.html [ Failure ]\n\n# Sheriff 2020-10-14\ncrbug.com/1138591 [ Mac10.15 ] http/tests/dom/raf-throttling-out-of-view-cross-origin-page.html [ Failure ]\n\n# WebRTC: Payload demuxing times out in Plan B. This is expected.\ncrbug.com/1139052 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-demuxing.html [ Skip Timeout ]\n\ncrbug.com/1137228 [ Mac ] external/wpt/infrastructure/testdriver/click_iframe_crossorigin.sub.html [ Failure Pass ]\n\n# Rename document.featurePolicy to document.permissionsPolicy\ncrbug.com/1123116 external/wpt/permissions-policy/payment-supported-by-permissions-policy.tentative.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-all.https.sub.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-self.https.sub.html [ Failure Skip Timeout ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-some-override.https.sub.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-some.https.sub.html [ Failure Skip Timeout ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-disallowed-for-all.https.sub.html [ Failure Skip Timeout ]\n\n# Rename \"feature-policy-violation\" report type to \"permissions-policy-violation\" report type.\ncrbug.com/1123116 external/wpt/feature-policy/reporting/camera-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/encrypted-media-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/fullscreen-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/generic-sensor-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/geolocation-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/microphone-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/midi-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/payment-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/picture-in-picture-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/screen-wake-lock-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/serial-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/sync-xhr-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/usb-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/xr-reporting.https.html [ Timeout ]\n\ncrbug.com/1159445 [ Mac ] paint/invalidation/repaint-overlay/layers-overlay.html [ Failure ]\n\ncrbug.com/1140329 http/tests/devtools/network/network-filter-service-worker.js [ Failure Pass Skip Timeout ]\n\n#Sheriff 2020-10-21\ncrbug.com/1141206 scrollbars/overflow-scrollbar-combinations.html [ Failure Pass ]\n\n#Sheriff 2020-10-26\ncrbug.com/1142877 [ Mac ] external/wpt/mediacapture-fromelement/capture.html [ Crash Failure Pass ]\ncrbug.com/1142877 [ Debug Linux ] external/wpt/mediacapture-fromelement/capture.html [ Crash Failure Pass ]\n\n#Sheriff 2020-10-29\ncrbug.com/1143720 [ Win7 ] external/wpt/media-source/mediasource-detach.html [ Failure Pass ]\n\n# Sheriff 2020-11-03\ncrbug.com/1145019 [ Win7 ] fast/events/updateLayoutForHitTest.html [ Failure ]\n\n# Sheriff 2020-11-04\ncrbug.com/1144273 http/tests/devtools/sources/debugger-ui/continue-to-location-markers-in-top-level-function.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2020-11-06\ncrbug.com/1146560 [ Win ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\ncrbug.com/1170041 [ Linux ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\ncrbug.com/1170041 [ Mac ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\n\n# Sheriff 2020-11-12\ncrbug.com/1148259 [ Mac ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/javascript-url-return-value-handling-dynamic.html [ Failure ]\n\n# Sheriff 2020-11-19\ncrbug.com/1150700 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/registration-updateviacache.https.html [ Failure Pass Skip Timeout ]\ncrbug.com/1150700 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/update-bytecheck-cors-import.https.html [ Pass Skip Timeout ]\n\n# Disable flaky tests when scroll unification is enabled\ncrbug.com/1130020 virtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-mousedown-move-mouseup.html [ Crash Failure Pass Timeout ]\ncrbug.com/1130020 virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/scrollbar-mousedown-move-mouseup.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-11-16\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/debugger-inline-values-frames.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/reveal-execution-line.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149987 external/wpt/websockets/Create-blocked-port.any.html [ Pass Timeout ]\ncrbug.com/1149987 external/wpt/websockets/Create-blocked-port.any.worker.html [ Pass Timeout ]\ncrbug.com/1150475 fast/dom/open-and-close-by-DOM.html [ Failure Pass ]\n\n#Sheriff 2020-11-23\ncrbug.com/1152088 [ Debug Mac10.13 ] fast/dom/cssTarget-crash.html [ Pass Timeout ]\n# Sheriff 2021-01-22 added Timeout per crbug.com/1046784:\ncrbug.com/1149734 http/tests/devtools/sources/source-frame-toolbar-items.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-frameworks/frameworks-sourcemap.js [ Failure Pass ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/continue-to-location-markers.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/inline-scope-variables.js [ Failure Pass Skip Timeout ]\n\n#Sheriff 2020-11-24\ncrbug.com/1087242 http/tests/inspector-protocol/service-worker/network-extrainfo-main-request.js [ Crash Failure Pass Timeout ]\ncrbug.com/1149771 [ Linux ] virtual/android/fullscreen/video-scrolled-iframe.html [ Failure Pass Skip Timeout ]\ncrbug.com/1152532 http/tests/devtools/service-workers/user-agent-override.js [ Pass Skip Timeout ]\ncrbug.com/1134459 accessibility/aom-click-action.html [ Pass Timeout ]\n\n#Sheriff 2020-11-26\ncrbug.com/1032451 virtual/threaded-no-composited-antialiasing/animations/stability/animation-iteration-event-destroy-renderer.html [ Pass Skip Timeout ]\ncrbug.com/931646 [ Mac ] http/tests/preload/meta-viewport-link-headers-imagesrcset.html [ Failure Pass ]\n\n# Win7 suggestion picker appearance tests have a scrollbar flakiness issue\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-locale-hebrew.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-locale-hebrew.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance.html [ Failure Pass ]\n\ncrbug.com/681468 fast/forms/suggestion-picker/date-suggestion-picker-appearance-zoom125.html [ Failure Pass ]\ncrbug.com/681468 fast/forms/suggestion-picker/date-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\n\n# These tests will only run in the virtual test suite where the frequency\n# capping for overlay popup detection is disabled. This eliminates the need\n# for waitings in web tests to trigger a detection event.\ncrbug.com/1032681 http/tests/subresource_filter/overlay_popup_ad/* [ Skip ]\ncrbug.com/1032681 virtual/disable-frequency-capping-for-overlay-popup-detection/http/tests/subresource_filter/overlay_popup_ad/* [ Pass ]\n\n# Sheriff 2020-12-03\ncrbug.com/1154940 [ Win7 ] inspector-protocol/overlay/overlay-persistent-overlays-with-emulation.js [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1144171 http/tests/devtools/report-API-errors.js [ Skip ]\n\n# Sheriff 2020-12-11\n# Flaking on Linux Trusty\ncrbug.com/1157849 [ Linux Release ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Pass Skip Timeout ]\ncrbug.com/1157861 http/tests/devtools/extensions/extensions-resources.js [ Failure Pass ]\ncrbug.com/1157861 http/tests/devtools/console/paintworklet-console-selector.js [ Failure Pass ]\n\n# Wpt importer Sheriff 2020-12-11\ncrbug.com/626703 [ Linux ] wpt_internal/storage/estimate-usage-details-filesystem.https.tentative.any.html [ Failure Pass ]\n\n# Wpt importer sheriff 2020-12-23\ncrbug.com/1161590 external/wpt/html/semantics/forms/textfieldselection/select-event.html [ Failure Skip Timeout ]\n\n# Wpt importer sheriff 2021-01-05\ncrbug.com/1163175 external/wpt/css/css-pseudo/first-letter-punctuation-and-space.html [ Failure ]\n\n# Sheriff 2020-12-22\ncrbug.com/1161301 [ Mac10.15 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Pass Timeout ]\ncrbug.com/1161301 [ Mac10.14 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Failure Pass Timeout ]\n\n# Failing on Webkit Linux Leak only:\ncrbug.com/1046784 http/tests/devtools/tracing/timeline-receive-response-event.js [ Failure Pass ]\n\n# Sheriff 2021-01-12\ncrbug.com/1163793 http/tests/inspector-protocol/page/page-events-associated.js [ Failure Pass ]\n\n# Sheriff 2021-01-13\ncrbug.com/1164459 [ Mac10.15 ] external/wpt/preload/download-resources.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-01-15\ncrbug.com/1167222 http/tests/websocket/multiple-connections-throttled.html [ Failure Pass ]\ncrbug.com/1167309 fast/canvas/canvas-createImageBitmap-drawImage.html [ Failure Pass ]\n\n# Sheriff 2021-01-20\ncrbug.com/1168522 external/wpt/focus/iframe-activeelement-after-focusing-out-iframes.html [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1050549 http/tests/devtools/network/preview-searchable.js [ Failure Pass ]\ncrbug.com/1050549 http/tests/devtools/console/console-correct-suggestions.js [ Failure Pass ]\ncrbug.com/1050549 http/tests/devtools/extensions/extensions-timeline-api.js [ Failure Pass ]\n\n# Flaky test\ncrbug.com/1173439 http/tests/devtools/service-workers/service-worker-manager.js [ Pass Skip Timeout ]\n\n# Sheriff 2018-01-25\ncrbug.com/893869 css3/masking/mask-repeat-space-padding.html [ Failure Pass ]\n\n# V8 roll\ncrbug.com/961059 fast/workers/worker-shared-asm-buffer.html [ Skip ]\n\n# Temporarily disabled to unblock https://crrev.com/c/2979697\ncrbug.com/1222114 http/tests/devtools/console/console-call-getter-on-proto.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-dir.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-dir-es6.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-format.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-format-es6.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-functions.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/sources/debugger/properties-special.js [ Failure Pass ]\n\ncrbug.com/1247844 external/wpt/css/css-contain/content-visibility/content-visibility-input-image.html [ Timeout ]\n\n# Expected to fail with SuppressDifferentOriginSubframeJSDialogs feature disabled, tested in VirtualTestSuite\ncrbug.com/1065085 external/wpt/html/webappapis/user-prompts/cannot-show-simple-dialogs/confirm-different-origin-frame.sub.html [ Failure ]\ncrbug.com/1065085 external/wpt/html/webappapis/user-prompts/cannot-show-simple-dialogs/prompt-different-origin-frame.sub.html [ Failure ]\n\n# Sheriff 2021-01-27\ncrbug.com/1171331 [ Mac ] tables/mozilla_expected_failures/bugs/bug89315.html [ Failure Pass ]\n\ncrbug.com/1168785 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/autoscroll-latch-clicked-node-if-parent-unscrollable.html [ Timeout ]\n\n# flaky test\ncrbug.com/1173956 http/tests/xsl/xslt-transform-with-javascript-disabled.html [ Failure Pass ]\n\n# MediaQueryList tests failing due to incorrect event dispatching. These tests\n# will pass because they have -expected.txt, but keep entries here because they\n# still need to get fixed.\nexternal/wpt/css/cssom-view/MediaQueryList-addListener-handleEvent-expected.txt [ Failure Pass ]\nexternal/wpt/css/cssom-view/MediaQueryList-extends-EventTarget-interop-expected.txt [ Failure Pass ]\n\n# No support for key combinations like Alt + c in testdriver.Actions for content_shell\ncrbug.com/893480 external/wpt/uievents/interface/keyboard-accesskey-click-event.html [ Timeout ]\n\n# Timing out on Fuchsia\ncrbug.com/1171283 [ Fuchsia ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-out-slow.html [ Pass Timeout ]\n\n# Sheriff 2021-02-11\ncrbug.com/1177573 http/tests/inspector-protocol/animation/animation-pause.js [ Failure Pass ]\ncrbug.com/1177573 http/tests/inspector-protocol/animation/animation-pause-infinite.js [ Failure Pass ]\n\n# Sheriff 2021-02-15\ncrbug.com/1177996 [ Linux ] storage/websql/database-lock-after-reload.html [ Failure Pass ]\ncrbug.com/1178018 external/wpt/webaudio/the-audio-api/the-mediaelementaudiosourcenode-interface/mediaElementAudioSourceToScriptProcessorTest.html [ Failure Pass ]\n\n# Expected to fail - Chrome's WebXR Depth Sensing API implementation does not currently support `gpu-optimized` usage mode.\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_dataUnavailable.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_inactiveFrame.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_incorrectUsage.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_staleView.https.html [ Failure ]\n\n# Sheriff 2021-02-17\ncrbug.com/1179117 [ Linux ] http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\n\n# Sheriff 2021-02-18\ncrbug.com/1179772 [ Win7 ] http/tests/devtools/console/console-preserve-log-x-process-navigation.js [ Failure Pass ]\ncrbug.com/1179857 [ Linux ] http/tests/inspector-protocol/dom/dom-getFrameOwner.js [ Failure Pass ]\ncrbug.com/1179905 [ Linux ] fast/multicol/nested-very-tall-inside-short-crash.html [ Failure Pass ]\n\n# Sheriff 2021-02-19\ncrbug.com/1180227 [ Mac ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-default-feature-policy.https.html [ Crash Failure Pass ]\ncrbug.com/1180227 [ Linux ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-default-feature-policy.https.html [ Failure Pass ]\ncrbug.com/1180479 [ Mac ] virtual/threaded-prefer-compositing/external/wpt/css/cssom-view/scrollIntoView-smooth.html [ Failure Pass Timeout ]\n\ncrbug.com/1180274 crbug.com/1046784 http/tests/inspector-protocol/network/navigate-iframe-out2in.js [ Failure Pass ]\n\n# Sheriff 2021-02-21\ncrbug.com/1180491 [ Linux ] external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\ncrbug.com/1180491 [ Linux ] virtual/storage-access-api/external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\n\n# Sheriff 2021-02-24\ncrbug.com/1181667 [ Linux ] external/wpt/css/selectors/focus-visible-011.html [ Failure Pass ]\ncrbug.com/1045052 [ Linux ] virtual/split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Failure Pass Skip Timeout ]\ncrbug.com/1045052 [ Linux ] virtual/not-split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Failure Pass Skip Timeout ]\ncrbug.com/1181857 external/wpt/webaudio/the-audio-api/the-analysernode-interface/test-analyser-output.html [ Failure Pass ]\n\n# Sheriff 2021-02-25\ncrbug.com/1182673 [ Win7 ] http/tests/devtools/profiler/live-line-level-heap-profile.js [ Skip Timeout ]\ncrbug.com/1182675 [ Linux ] dom/attr/id-update-map-crash.html [ Failure Pass ]\ncrbug.com/1182682 [ Linux ] http/tests/devtools/service-workers/service-workers-view.js [ Failure Pass ]\n\n# Sheriff 2021-03-04\ncrbug.com/1184745 [ Mac ] external/wpt/media-source/mediasource-changetype-play.html [ Failure Pass ]\n\n# Sheriff 2021-03-08\ncrbug.com/1092462 [ Linux ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/1092462 [ Linux ] media/video-seek-past-end-paused.html [ Failure Pass ]\ncrbug.com/1185675 [ Mac ] virtual/gpu-rasterization/images/color-profile-object.html [ Failure Pass ]\ncrbug.com/1185676 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-end-to-end.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/1185051 fast/canvas/OffscreenCanvas-Bitmaprenderer-toBlob-worker.html [ Failure Pass ]\n\n# Updating virtual suite from virtual/threaded/fast/scroll-snap to\n# virtual/threaded-prefer-compositing/fast/scroll-snap exposes additional\n# tests that fail on the composited code path.\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-scrollbar-scrolling-thumb.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-wheel-scrolling.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snap-scrolls-visual-viewport.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/animate-fling-to-snap-points-2.html [ Failure Pass Skip Timeout ]\n\n# Expect failure for unimplemented canvas color object input\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.fillStyle.colorObject.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.fillStyle.colorObject.transparency.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.strokeStyle.colorObject.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.strokeStyle.colorObject.transparency.html [ Failure ]\n\n# Sheriff 2021-03-17\ncrbug.com/1072022 http/tests/security/frameNavigation/xss-ALLOWED-parent-navigation-change.html [ Pass Timeout ]\n\n# Sheriff 2021-03-19\ncrbug.com/1189976 http/tests/devtools/sources/debugger-breakpoints/dom-breakpoints.js [ Skip ]\ncrbug.com/1189976 http/tests/devtools/sources/debugger-breakpoints/dom-breakpoints-editing-dom-from-inspector.js [ Skip ]\ncrbug.com/1190176 [ Linux ] fast/peerconnection/RTCPeerConnection-addMultipleTransceivers.html [ Failure Pass ]\n\ncrbug.com/1191068 [ Mac ] external/wpt/resource-timing/iframe-failed-commit.html [ Failure Pass ]\ncrbug.com/1191068 [ Win ] external/wpt/resource-timing/iframe-failed-commit.html [ Failure Pass ]\n\ncrbug.com/1176039 [ Mac ] virtual/stable/media/stable/video-object-fit-stable.html [ Failure Pass ]\n\ncrbug.com/1190905 [ Mac ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\ncrbug.com/1190905 [ Linux ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\ncrbug.com/1190905 [ Win ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\n\n# Sheriff 2021-03-23\ncrbug.com/1182689 [ Mac ] external/wpt/editing/run/delete.html?6001-last [ Failure ]\n\n# Sheriff 2021-03-31\n# Failing tests because of enabling scroll unification flag\ncrbug.com/1194446 virtual/scroll-unification/fast/events/platform-wheelevent-paging-x-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/1194446 virtual/scroll-unification/fast/events/scale-and-scroll-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/1194446 virtual/scroll-unification/fast/events/platform-wheelevent-paging-y-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-active-state.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-mouse-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/fast/scroll-behavior/overflow-scroll-animates.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scroll-snap/snap-to-target-on-layout-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/auto-scrollbar-fades-out.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-frame-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/pointerevents/multi-pointer-preventdefault.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/hidden-scrollbars-invisible.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/overflow-scrollability.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-paragraph-end.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/drag-and-drop-autoscroll-mainframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scroll-snap/animate-fling-to-snap-points-1.html [ Failure Pass ]\n\n# Sheriff 2021-04-01\ncrbug.com/1167679 accessibility/aom-focus-action.html [ Crash Failure Pass Timeout ]\n# More failing tests because of enabling scroll unification flag\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-active-state-hidden-iframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-should-not-stop-on-keypress.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-scrolled.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-upwards-propagation-overflow-hidden-body.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/frame-scroll-fake-mouse-move.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-fling-with-page-scale.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-nonscrollable-iframe-in-scrollable-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-hover-clear.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-event-from-touch-source-device-event-sender.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-fully-scrolled-iframe-propagates.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-event-buttons-attribute.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-unified-autoplay/external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2021-04-05\ncrbug.com/921151 http/tests/security/mixedContent/insecure-iframe-with-hsts.https.html [ Failure Pass ]\n\n# Sheriff 2021-04-06\ncrbug.com/1032451 [ Linux ] virtual/threaded/animations/stability/animation-iteration-event-destroy-renderer.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-07\ncrbug.com/1196620 [ Mac ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video-sibling.html [ Failure Pass ]\n\n# WebTransport tests should eventually run when the WebTransport WPT server is added.\ncrbug.com/1201569 external/wpt/webtransport/* [ Skip ]\n# WebTransport server infra tests pass on python3 but fail on python2.\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.serviceworker.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.sharedworker.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.worker.html [ Failure Pass ]\n\ncrbug.com/1194958 fast/events/mouse-event-buttons-attribute.html [ Failure Pass ]\n\n# Sheriff 2021-04-08\ncrbug.com/1197087 external/wpt/web-animations/interfaces/Animation/finished.html [ Failure Pass ]\ncrbug.com/1197087 external/wpt/css/css-animations/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\ncrbug.com/1197087 external/wpt/css/css-transitions/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\ncrbug.com/1197087 virtual/threaded/external/wpt/css/css-animations/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\n\n# Sheriff 2021-04-09\ncrbug.com/1197528 [ Mac ] pointer-lock/pointerlockchange-pointerlockerror-events.html [ Failure Pass ]\n\ncrbug.com/1195295 fast/events/touch/multi-touch-timestamp.html [ Failure Pass ]\n\ncrbug.com/1197296 [ Mac10.15 ] external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Failure Pass ]\n\ncrbug.com/1196745 [ Mac10.15 ] editing/selection/editable-links.html [ Skip ]\n\n# WebID\n# These tests are only valid when WebID flag is enabled\ncrbug.com/1067455 wpt_internal/webid/* [ Failure ]\ncrbug.com/1067455 virtual/webid/* [ Pass ]\n\n# Is fixed by PlzDedicatedWorker.\ncrbug.com/1060837 external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.https.html [ Timeout ]\ncrbug.com/1060837 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.https.html [ Pass ]\n\ncrbug.com/1143102 virtual/plz-dedicated-worker/http/tests/inspector-protocol/fetch/dedicated-worker-main-script.js [ Skip ]\n\n# These timeout because COEP reporting to a worker is not implemented.\ncrbug.com/1197041 external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.https.html [ Skip ]\ncrbug.com/1197041 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.https.html [ Skip ]\n\n# Sheriff 2021-04-12\ncrbug.com/1198103 virtual/scroll-unification/fast/events/drag-and-drop-autoscroll.html [ Pass Timeout ]\n\ncrbug.com/1193979 [ Mac ] fast/events/tabindex-focus-blur-all.html [ Failure Pass ]\ncrbug.com/1196201 fast/events/mouse-event-source-device-event-sender.html [ Failure Pass ]\n\n# Sheriff 2021-04-13\ncrbug.com/1198698 external/wpt/clear-site-data/storage.https.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-04-14\ncrbug.com/1198828 [ Win ] virtual/scroll-unification/fast/events/mouse-events-on-node-deletion.html [ Failure Pass ]\ncrbug.com/1198828 [ Linux ] virtual/scroll-unification/fast/events/mouse-events-on-node-deletion.html [ Failure Pass ]\n\n# Sheriff 2021-04-15\ncrbug.com/1199380 virtual/scroll-unification-prefer_compositing_to_lcd_text/fast/scroll-behavior/overflow-scroll-root-frame-animates.html [ Skip ]\ncrbug.com/1194460 virtual/scroll-unification/fast/events/mouseenter-mouseleave-chained-listeners.html [ Skip ]\ncrbug.com/1196118 plugins/mouse-move-over-plugin-in-frame.html [ Failure Pass ]\ncrbug.com/1199528 http/tests/inspector-protocol/css/css-edit-redirected-css.js [ Failure Pass ]\ncrbug.com/1196317 [ Mac ] scrollbars/custom-scrollbar-thumb-width-changed-on-inactive-pseudo.html [ Failure Pass ]\n\n# Sheriff 2021-04-20\ncrbug.com/1200671 [ Mac11 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\ncrbug.com/1200671 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\n\ncrbug.com/1197444 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/nested-scroll-overlay-scrollbar.html [ Crash Failure Pass ]\n# Sheriff 2021-04-21\ncrbug.com/1200671 [ Linux ] external/wpt/webrtc/protocol/rtp-payloadtypes.html [ Crash Pass ]\ncrbug.com/1201225 external/wpt/pointerevents/pointerlock/pointerevent_pointerrawupdate_in_pointerlock.html [ Failure Pass Timeout ]\ncrbug.com/1198232 [ Win ] virtual/scroll-unification/fast/events/mouseenter-mouseleave-on-drag.html [ Failure Pass ]\ncrbug.com/1201346 http/tests/origin_trials/webexposed/bfcache-experiment-http-header-origin-trial.php [ Failure Pass ]\ncrbug.com/1201348 [ Linux ] virtual/shared_array_buffer_on_desktop/http/tests/inspector-protocol/issues/mixed-content-issue-creation-js-within-oopif.js [ Pass Timeout ]\ncrbug.com/1201365 virtual/portals/http/tests/inspector-protocol/portals/device-emulation-portals.js [ Pass Timeout ]\n\n# Sheriff 2021-04-22\ncrbug.com/1191990 [ Linux ] http/tests/serviceworker/clients-openwindow.html [ Failure Pass ]\n\n# Sheriff 2021-04-23\ncrbug.com/1198832 [ Linux ] external/wpt/css/css-sizing/aspect-ratio/replaced-element-003.html [ Failure Pass ]\ncrbug.com/1202051 virtual/scroll-unification/scrollbars/layout-viewport-scrollbars-hidden.html [ Failure Pass ]\ncrbug.com/1202051 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/layout-viewport-scrollbars-hidden.html [ Failure Pass ]\ncrbug.com/1197528 [ Linux ] pointer-lock/pointerlockchange-pointerlockerror-events.html [ Failure Pass ]\n\n# Image pixels are sometimes different on Fuchsia.\ncrbug.com/1201123 [ Fuchsia ] tables/mozilla/bugs/bug1188.html [ Failure Pass ]\n\n# Sheriff 2021-04-26\ncrbug.com/1202722 [ Linux ] virtual/scroll-unification/fast/events/mouseenter-mouseleave-on-drag.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-29\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/css-paint-api/idlharness.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/css-shapes/parsing/shape-outside-computed.html [ Failure Pass Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/cssom-view/idlharness.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/gamepad/idlharness.https.window.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/input-device-capabilities/idlharness.window.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/periodic-background-sync/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/storage/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/storage/idlharness.https.any.worker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/webusb/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/xhr/idlharness.any.sharedworker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1198443 [ Mac10.14 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/request-upload.any.html [ Failure Pass Timeout ]\ncrbug.com/1198443 [ Mac10.14 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/request-upload.any.worker.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-30\ncrbug.com/1204498 [ Linux ] virtual/scroll-unification/fast/events/hit-test-cache-iframes.html [ Failure Pass ]\n\n# Appears to be timing out even when marked as Slow.\ncrbug.com/1205184 [ Mac11 ] external/wpt/IndexedDB/interleaved-cursors-large.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-05-03\ncrbug.com/1205133 [ Linux ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Pass Timeout ]\ncrbug.com/1205133 [ Mac ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Pass Timeout ]\ncrbug.com/1205012 external/wpt/html/cross-origin-opener-policy/reporting/access-reporting/reporting-observer.html [ Pass Skip Timeout ]\ncrbug.com/1197465 [ Linux ] virtual/scroll-unification/fast/events/mouse-cursor-no-mousemove.html [ Failure Pass ]\ncrbug.com/1093041 fast/canvas/color-space/canvas-createImageBitmap-rec2020.html [ Failure Pass ]\ncrbug.com/1093041 virtual/gpu/fast/canvas/color-space/canvas-createImageBitmap-rec2020.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-05-10\ncrbug.com/1207337 virtual/scroll-unification/fast/scroll-snap/animate-fling-to-snap-points-2.html [ Failure Pass ]\n\n# Sheriff 2021-05-04\ncrbug.com/1205659 [ Mac ] external/wpt/IndexedDB/key-generators/reading-autoincrement-indexes.any.worker.html [ Pass Timeout ]\ncrbug.com/1205659 [ Mac ] storage/indexeddb/empty-blob-file.html [ Pass Timeout ]\ncrbug.com/1205673 [ Linux ] virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-wheel-scrolling-single-tick.html [ Failure Pass ]\n\n# Browser Infra 2021-05-04\n# Re-enable once all Linux CI/CQ builders migrated to Bionic\ncrbug.com/1200134 [ Linux ] fast/gradients/unprefixed-repeating-gradient-color-hint.html [ Failure Pass ]\n\n# Sheriff 2021-05-05\ncrbug.com/1205796 [ Mac10.12 ] external/wpt/html/dom/idlharness.https.html?include=HTML.* [ Failure ]\ncrbug.com/1205796 [ Mac10.14 ] external/wpt/html/dom/idlharness.https.html?include=HTML.* [ Failure ]\n\n# Blink_web_tests 2021-05-06\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/gamepad/idlharness.https.window.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/input-device-capabilities/idlharness.window.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/periodic-background-sync/idlharness.https.any.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/storage/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] virtual/threaded/external/wpt/animation-worklet/idlharness.any.worker.html [ Failure ]\n\n# Sheriff 2021-05-07\n# Some plzServiceWorker and plzDedicatedWorker singled out from generic sheriff rounds above\ncrbug.com/1207851 virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.serviceworker.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-05-10\ncrbug.com/1207709 [ Mac10.13 ] external/wpt/resource-timing/document-domain-no-impact-opener.html [ Failure Pass ]\ncrbug.com/1207709 [ Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/resource-timing/document-domain-no-impact-opener.html [ Failure Pass ]\ncrbug.com/1207709 [ Mac10.13 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Failure Pass Timeout ]\n\n# Will be passed when compositing-after-paint is used by default 2021-05-13\ncrbug.com/1208213 external/wpt/css/css-transforms/add-child-in-empty-layer.html [ Failure ]\n\n# Sheriff 2021-05-12\ncrbug.com/1095540 [ Debug Linux ] virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/resize-corner-tracking-touch.html [ Failure Pass ]\n\n# For SkiaRenderer on MacOS\ncrbug.com/1208173 [ Mac ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1208173 [ Mac ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1208173 [ Mac ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1208173 [ Mac ] css3/filters/backdrop-filter-boundary.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac ] svg/custom/svg-root-with-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/prefer_compositing_to_lcd_text/compositing/overflow/nested-render-surfaces-with-rotation.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/scalefactor200/external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/scalefactor200/external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac10.14 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\n\n# Fix to unblock wpt-importer\ncrbug.com/1209223 [ Mac ] external/wpt/url/a-element.html [ Pass Timeout ]\ncrbug.com/1209223 external/wpt/url/url-constructor.any.worker.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-05-17\ncrbug.com/1193920 virtual/scroll-unification/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Pass Timeout ]\ncrbug.com/1210199 http/tests/devtools/elements/elements-panel-restore-selection-when-node-comes-later.js [ Failure Pass ]\ncrbug.com/1199522 http/tests/devtools/layers/layers-3d-view-hit-testing.js [ Failure Pass ]\n\n# Failing css-transforms-2 web platform tests.\ncrbug.com/847356 external/wpt/css/css-transforms/transform-box/view-box-mutation-001.html [ Failure ]\n\ncrbug.com/1261895 external/wpt/css/css-transforms/transform3d-sorting-002.html [ Failure ]\n\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-002.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-004.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-005.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-006.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-007.html [ Failure ]\n# Started failing after rolling new version of check-layout-th.js\ncss3/flexbox/perpendicular-writing-modes-inside-flex-item.html [ Failure ]\n\n# Sheriff 2021-05-18\ncrbug.com/1210658 [ Mac10.14 ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\ncrbug.com/1210658 [ Mac10.15 ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\ncrbug.com/1210658 [ Win ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\n\n# Temporarily disabled to unblock https://crrev.com/c/3099011\ncrbug.com/1199701 http/tests/devtools/console/console-big-array.js [ Skip ]\n\n# Sheriff 2021-5-19\n# Flaky on Webkit Linux Leak\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger-step/debugger-step-out-document-write.js [ Failure Pass ]\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger/debug-inlined-scripts-fragment-id.js [ Failure Pass ]\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger-breakpoints/dynamic-scripts-breakpoints.js [ Failure Pass ]\n\n# The wpt_flags=h2 variants of these tests fail, but the other variants pass. We\n# can't handle this difference with -expected.txt files, so we have to list them\n# here.\ncrbug.com/1048761 external/wpt/websockets/Close-1000-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-2999-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-2999-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-4999-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-4999-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-Reason-124Bytes.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-Reason-124Bytes.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-onlyReason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-onlyReason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closed.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closed.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closing.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closing.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-reason-unpaired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-reason-unpaired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-server-initiated-close.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-server-initiated-close.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-undefined.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-undefined.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-extensions-empty.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-extensions-empty.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-array-protocols.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-array-protocols.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-binaryType-blob.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-binaryType-blob.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-setCorrectly.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-setCorrectly.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-string.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-string.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-0byte-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-0byte-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-65K-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-65K-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-65K-arraybuffer.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-65K-arraybuffer.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybuffer.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybuffer.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float32.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float32.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float64.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float64.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int16-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int16-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int32.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int32.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int8.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int8.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint16-offset-length.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint16-offset-length.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint32-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint32-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset-length.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset-length.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-blob.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-blob.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-null.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-null.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-paired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-paired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unicode-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unicode-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unpaired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unpaired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binaryType-wrong-value.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binaryType-wrong-value.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/extended-payload-length.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/001.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/002.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/004.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/005.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-arraybuffer.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-blob.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-large.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-unicode.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/events/018.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/send/006.html?wpt_flags=h2 [ Failure ]\n\n# Sheriff on 2021-05-26\ncrbug.com/1213322 [ Mac ] external/wpt/css/css-values/minmax-percentage-serialize.html [ Failure Pass ]\ncrbug.com/1213322 [ Mac ] external/wpt/html/browsers/the-window-object/named-access-on-the-window-object/window-named-properties.html [ Failure Pass ]\n\n# Do not retry slow tests that also timeouts\ncrbug.com/1210687 [ Mac10.15 ] fast/events/open-window-from-another-frame.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac ] http/tests/permissions/chromium/test-request-worker.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] storage/websql/sql-error-codes.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] external/wpt/html/user-activation/propagation-crossorigin.sub.tentative.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Win ] virtual/split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Win ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\n\n# Sheriff 2021-06-02\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-applyConstraints-remoteVideoTrack.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-applyConstraints-remoteVideoTrack.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-createDTMFSender.html [ Failure Pass ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-datachannel.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-datachannel.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-lifetime.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-lifetime.html [ Pass Timeout ]\ncrbug.com/1215584 [ Mac11 ] inspector-protocol/layout-fonts/lang-fallback.js [ Failure Pass ]\n\n# Fail with field trial testing config.\ncrbug.com/1219767 [ Linux ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure ]\n\n# Sheriff 2021-06-03\ncrbug.com/1185121 fast/scroll-snap/animate-fling-to-snap-points-1.html [ Failure Pass ]\ncrbug.com/1176162 http/tests/devtools/screen-orientation-override.js [ Failure Pass ]\ncrbug.com/1215949 external/wpt/pointerevents/pointerevent_iframe-touch-action-none_touch.html [ Pass Timeout ]\ncrbug.com/1216139 virtual/bfcache/http/tests/devtools/bfcache/bfcache-elements-update.js [ Failure Pass ]\n\n# Sheriff 2021-06-10\ncrbug.com/1177996 [ Mac10.15 ] storage/websql/database-lock-after-reload.html [ Failure Pass ]\n\n# CSS Highlight API painting issues related to general CSS highlight\n# pseudo-elements painting\ncrbug.com/1147859 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-004.html [ Failure ]\ncrbug.com/1163437 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-below-grammar.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-below-target-text.html [ Failure ]\ncrbug.com/1147859 [ Linux ] external/wpt/css/css-highlight-api/painting/* [ Failure ]\n\n# Sheriff 2021-06-11\ncrbug.com/1218667 [ Win ] virtual/portals/wpt_internal/portals/portals-dangling-markup.sub.html [ Pass Skip Timeout ]\ncrbug.com/1218714 [ Win ] virtual/scroll-unification/fast/forms/select-popup/popup-menu-scrollbar-button-scrolls.html [ Pass Timeout ]\n\n# Green Mac11 Test\ncrbug.com/1201406 [ Mac11 ] fast/events/touch/gesture/touch-gesture-scroll-listbox.html [ Failure ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/credentialscontainer-create-from-nested-frame.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/credentialscontainer-create-origins.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/publickeycredential-same-origin-with-ancestors.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/register-then-sign.html [ Crash Skip Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-add-virtual-authenticator.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-clear-credentials.js [ Crash ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-get-credentials.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-presence-simulation.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-remove-credential.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-set-aps.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-user-verification.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/iframe-navigation/parent-no-1-no-same-2-yes-port.sub.https.html [ Timeout ]\n\n# Sheriff 2021-06-14\ncrbug.com/1219499 external/wpt/websockets/Create-blocked-port.any.html?wpt_flags=h2 [ Failure Pass Timeout ]\ncrbug.com/1219499 [ Win ] external/wpt/websockets/Create-blocked-port.any.html?wss [ Pass Timeout ]\n\n# Sheriff 2021-06-15\ncrbug.com/1220317 [ Linux ] external/wpt/media-capabilities/decodingInfoEncryptedMedia.https.html [ Crash Failure Pass ]\ncrbug.com/1220317 [ Linux ] external/wpt/media-capabilities/decodingInfo.any.html [ Crash Failure Pass ]\ncrbug.com/1220007 [ Linux ] fullscreen/full-screen-iframe-allowed-video.html [ Failure Pass Timeout ]\n\n# Some flaky gpu canvas compositing\ncrbug.com/1221326 virtual/gpu/fast/canvas/canvas-composite-image.html [ Failure Pass ]\ncrbug.com/1221327 virtual/gpu/fast/canvas/canvas-composite-canvas.html [ Failure Pass ]\ncrbug.com/1221420 virtual/gpu/fast/canvas/canvas-ellipse-zero-lineto.html [ Failure Pass ]\n\n# Sheriff\ncrbug.com/1223327 wpt_internal/prerender/unload.html [ Pass Timeout ]\ncrbug.com/1223327 virtual/prerender/wpt_internal/prerender/unload.html [ Pass Timeout ]\ncrbug.com/1222097 external/wpt/html/cross-origin-embedder-policy/blob.https.html [ Skip ]\ncrbug.com/1222097 external/wpt/mediacapture-image/detached-HTMLCanvasElement.html [ Skip ]\ncrbug.com/1222097 http/tests/canvas/captureStream-on-detached-canvas.html [ Skip ]\ncrbug.com/1222097 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/blob.https.html [ Skip ]\ncrbug.com/1222097 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/worker-inheritance.sub.https.html [ Skip ]\ncrbug.com/1222097 virtual/shared_array_buffer_on_desktop/http/tests/devtools/security/interstitial-sidebar.js [ Skip ]\ncrbug.com/1222097 virtual/shared_array_buffer_on_desktop/http/tests/devtools/security/mixed-content-sidebar.js [ Skip ]\ncrbug.com/1222097 virtual/wasm-site-isolated-code-cache/http/tests/devtools/wasm-isolated-code-cache/wasm-cache-test.js [ Skip ]\ncrbug.com/1222097 external/wpt/uievents/order-of-events/mouse-events/mouseover-out.html [ Skip ]\n\n# Sheriff 2021-06-25\n# Flaky on Webkit Linux Leak\ncrbug.com/1223601 [ Linux ] fast/scrolling/autoscroll-latch-clicked-node-if-parent-unscrollable.html [ Failure Pass ]\ncrbug.com/1223601 [ Linux ] fast/scrolling/reset-scroll-in-onscroll.html [ Failure Pass ]\n\n# Sheriff 2021-06-29\n# Flaky on Mac11 Tests\ncrbug.com/1197464 [ Mac ] virtual/scroll-unification/plugins/refcount-leaks.html [ Failure Pass ]\n\n# Sheriff 2021-06-30\ncrbug.com/1216587 [ Win7 ] accessibility/scroll-window-sends-notification.html [ Failure Pass ]\ncrbug.com/1216587 [ Mac11-arm64 ] accessibility/scroll-window-sends-notification.html [ Failure Pass ]\n\n# Sheriff 2021-07-01\n# Now also flakily timing-out.\ncrbug.com/1193920 virtual/threaded-prefer-compositing/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-02\ncrbug.com/1226112 http/tests/text-autosizing/narrow-iframe.html [ Failure Pass ]\n\n# Sheriff 2021-07-05\ncrbug.com/1226445 [ Mac ] virtual/storage-access-api/external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\n\n# Sheriff 2021-07-07\ncrbug.com/1227092 [ Win ] virtual/scroll-unification/fast/events/selection-autoscroll-borderbelt.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-12\ncrbug.com/1228432 [ Linux ] external/wpt/video-rvfc/request-video-frame-callback-before-xr-session.https.html [ Pass Timeout ]\n\n# Depends on fixing WPT cross-origin iframe click flake in crbug.com/1066891.\ncrbug.com/1227710 external/wpt/bluetooth/requestDevice/cross-origin-iframe.sub.https.html [ Failure Pass ]\n\n# Cross-origin WebAssembly module sharing is getting deprecated.\ncrbug.com/1224804 virtual/not-site-per-process/external/wpt/wasm/serialization/module/window-similar-but-cross-origin-success.sub.html [ Skip ]\ncrbug.com/1224804 http/tests/inspector-protocol/issues/wasm-co-sharing-issue.js [ Skip ]\ncrbug.com/1224804 virtual/not-site-per-process/external/wpt/wasm/serialization/module/window-domain-success.sub.html [ Skip ]\n\n\n# Sheriff 2021-07-13\ncrbug.com/1220114 [ Linux ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Failure Pass Timeout ]\ncrbug.com/1228959 [ Linux ] virtual/scroll-unification/fast/scroll-snap/snaps-after-wheel-scrolling-single-tick.html [ Failure Pass ]\n\n# A number of http/tests/inspector-protocol/network tests are flaky.\ncrbug.com/1228246 http/tests/inspector-protocol/network/disable-interception-midway.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-interception-frame-id.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-interception-patterns.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-response-interception-disable-between.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/same-site-issue-warn-cookie-lax-subresource-context-downgrade.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/same-site-issue-warn-cookie-strict-subresource-context-downgrade.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/webbundle.js [ Crash Failure Pass Skip Timeout ]\n\n# linux_layout_tests_layout_ng_disabled needs its own baselines.\ncrbug.com/1231699 [ Linux ] fast/borders/border-inner-bleed.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/canvas/canvas-composite-video-shadow.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/canvas/canvas-composite-video.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/reflections/opacity-reflection-transform.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] svg/custom/focus-ring.svg [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] svg/custom/transformed-outlines.svg [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] virtual/text-antialias/color-emoji.html [ Failure Pass ]\n\n# linux_layout_tests_composite_after_paint failures.\ncrbug.com/1257251 [ Linux ] compositing/reflections/nested-reflection-transformed.html [ Failure Pass ]\ncrbug.com/1257251 [ Linux ] compositing/reflections/nested-reflection-transformed2.html [ Failure Pass ]\ncrbug.com/1257251 [ Linux ] css3/blending/effect-background-blend-mode-stacking.html [ Failure Pass ]\n\n# Other devtools flaky tests outside of http/tests/inspector-protocol/network.\ncrbug.com/1228261 http/tests/devtools/console/console-context-selector.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/browser-grant-permissions.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/network-fetch-content-with-error-status-code.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/fetch/request-paused-network-id-cors.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/service-worker/network-extrainfo-subresource.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/service-worker/network-get-request-body-blob.js [ Crash Failure Pass Skip Timeout ]\n\n# Flakes that might be caused or aggravated by PlzServiceWorker\ncrbug.com/996511 external/wpt/service-workers/cache-storage/frame/cache-abort.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/996511 external/wpt/service-workers/cache-storage/window/cache-abort.https.html [ Crash Failure Pass ]\ncrbug.com/996511 external/wpt/service-workers/service-worker/getregistrations.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/996511 http/tests/inspector-protocol/fetch/fetch-cors-preflight-sw.js [ Crash Failure Pass Timeout ]\n\n# Expected to time out, but NOT crash.\ncrbug.com/1218540 storage/shared_storage/unimplemented-worklet-operations.html [ Crash Timeout ]\n\n# Sheriff 2021-07-14\ncrbug.com/1229039 [ Linux ] external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Pass Skip Timeout ]\ncrbug.com/1229039 [ Mac ] external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Pass Skip Timeout ]\n\n# Test fails due to more accurate size reporting in heap snapshots.\ncrbug.com/1229212 inspector-protocol/heap-profiler/heap-samples-in-snapshot.js [ Failure ]\n\n# Sheriff 2021-07-15\ncrbug.com/1229666 external/wpt/html/semantics/forms/form-submission-0/urlencoded2.window.html [ Pass Timeout ]\ncrbug.com/1093027 http/tests/credentialmanager/credentialscontainer-create-with-virtual-authenticator.html [ Crash Failure Pass Skip Timeout ]\n# The next test was originally skipped on mac for lack of support (crbug.com/613672). It is now skipped everywhere due to flakiness.\ncrbug.com/1229708 fast/events/pointerevents/pointer-event-in-slop-region.html [ Skip ]\ncrbug.com/1229725 http/tests/devtools/sources/debugger-pause/pause-on-elements-panel.js [ Crash Failure Pass ]\ncrbug.com/1085647 external/wpt/pointerevents/compat/pointerevent_mouse-pointer-preventdefault.html [ Pass Timeout ]\ncrbug.com/1087232 http/tests/devtools/network/network-worker-fetch-blocked.js [ Failure Pass ]\ncrbug.com/1229801 http/tests/devtools/elements/css-rule-hover-highlights-selectors.js [ Failure Pass ]\ncrbug.com/1229802 fast/events/pointerevents/multi-touch-events.html [ Failure Pass ]\ncrbug.com/1181886 external/wpt/pointerevents/pointerevent_movementxy.html?* [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-21\ncrbug.com/1231431 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-endpoint.https.html [ Failure ]\n\n# Sheriff 2021-07-22\ncrbug.com/1222097 [ Mac ] external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-sorted-before-dispatch.html [ Failure Pass ]\ncrbug.com/1231915 [ Mac10.12 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Pass Timeout ]\ncrbug.com/1231989 [ Linux ] external/wpt/html/cross-origin-embedder-policy/shared-workers.https.html [ Failure Pass ]\n\n# Sheriff 2021-07-23\ncrbug.com/1232388 [ Mac10.12 ] external/wpt/html/rendering/non-replaced-elements/hidden-elements.html [ Failure Pass ]\ncrbug.com/1232417 external/wpt/mediacapture-insertable-streams/MediaStreamTrackGenerator-video.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-26\ncrbug.com/1232867 [ Mac10.12 ] fast/inline-block/contenteditable-baseline.html [ Failure Pass ]\ncrbug.com/1254382 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\n\n# Sheriff 2021-07-27\ncrbug.com/1233557 [ Mac10.12 ] fast/forms/calendar-picker/date-picker-appearance-zoom150.html [ Failure Pass ]\n\n# Sheriff 2021-07-28\ncrbug.com/1233781 http/tests/serviceworker/window-close-during-registration.html [ Failure Pass ]\ncrbug.com/1234057 external/wpt/css/css-paint-api/no-op-animation.https.html [ Failure Pass ]\ncrbug.com/1234302 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/paint2d-image.https.html [ Crash Failure Pass ]\n\n# Temporarily disabling progress based worklet animation tests.\ncrbug.com/1238130 animations/animationworklet/playback-rate-scroll-timeline-accelerated-property.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-dispose.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-dynamic-update.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-non-compositable.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-non-scrollable.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/inactive-timeline.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/scroll-timeline-writing-modes.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-creation.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-display-none.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-overflow-hidden.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-root-scroller.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline.https.html [ Timeout ]\n\n# Sheriff 2021-07-29\ncrbug.com/626703 http/tests/security/cross-frame-access-put.html [ Failure Pass ]\n\n# Sheriff 2021-07-30\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-audio+video.https.sub.html [ Failure ]\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-audio.https.sub.html [ Failure ]\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-video.https.sub.html [ Failure ]\n\n# Sheriff 2021-08-02\ncrbug.com/1215390 [ Linux ] external/wpt/pointerevents/pointerevent_pointerId_scope.html [ Failure Pass ]\n\n# Sheriff 2021-08/05\ncrbug.com/1230534 external/wpt/webrtc/simulcast/getStats.https.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-08-10\ncrbug.com/1233840 external/wpt/html/cross-origin-opener-policy/historical/coep-navigate-popup-unsafe-inherit.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 external/wpt/webrtc/simulcast/basic.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 external/wpt/webrtc/simulcast/setParameters-active.https.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-08-12\ncrbug.com/1237640 http/tests/inspector-protocol/network/disabled-cache-navigation.js [ Pass Timeout ]\ncrbug.com/1239175 http/tests/navigation/same-and-different-back.html [ Failure Pass ]\ncrbug.com/1239164 http/tests/inspector-protocol/network/navigate-iframe-in2in.js [ Failure Pass ]\ncrbug.com/1237909 external/wpt/webrtc-svc/RTCRtpParameters-scalability.html [ Crash Failure Pass Timeout ]\ncrbug.com/1239161 external/wpt/html/semantics/links/links-created-by-a-and-area-elements/htmlanchorelement_noopener.html [ Failure Pass ]\ncrbug.com/1239139 virtual/prerender/wpt_internal/prerender/restriction-prompt-by-before-unload.html [ Crash Pass ]\n\n# Sheriff 2021-08-19\ncrbug.com/1234315 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-overflow-hidden.https.html [ Failure Timeout ]\n\n# Sheriff 2021-08-20\ncrbug.com/1241778 [ Mac10.13 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Pass Timeout ]\ncrbug.com/1194498 http/tests/misc/iframe-script-modify-attr.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2021-08-23\ncrbug.com/1242243 external/wpt/css/css-paint-api/parse-input-arguments-018.https.html [ Crash Failure Pass ]\ncrbug.com/1242243 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/parse-input-arguments-018.https.html [ Crash Failure Pass ]\n\n# Sheriff 2021-08-24\ncrbug.com/1244896 [ Mac ] fast/mediacapturefromelement/CanvasCaptureMediaStream-set-size-too-large.html [ Pass Timeout ]\n\n# Sheriff 2021-08-25\ncrbug.com/1243128 [ Win ] external/wpt/web-share/disabled-by-permissions-policy.https.sub.html [ Failure ]\n\n# Sheriff 2021-08-26\ncrbug.com/1243707 [ Debug Linux ] http/tests/inspector-protocol/target/auto-attach-related-sw.js [ Crash Pass ]\n\n# Sheriff 2021-08-26\ncrbug.com/1243933 [ Win7 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/elements/accessibility/edit-aria-attributes.js [ Failure ]\n\n# Sheriff 2021-09-03\ncrbug.com/1246238 http/tests/devtools/security/mixed-content-sidebar.js [ Failure Pass ]\ncrbug.com/1246238 http/tests/devtools/security/interstitial-sidebar.js [ Failure Pass ]\ncrbug.com/1246351 http/tests/misc/scroll-cross-origin-iframes-scrollbar.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-09-06\n# All of these suffer from the same problem of of a\n# DCHECK(!snapshot.drawsNothing()) failing on Macs:\n# Also reported as failing via crbug.com/1233766\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-display-none.https.html [ Crash Failure Pass Timeout ]\n# Previously reported as failing via crbug.com/626703:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-set-keyframes.https.html [ Crash Failure Pass ]\n# Previously reported as fialing via crbug.com/626703:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-immediately.https.html [ Crash Failure Pass ]\n# Also reported as failing via crbug.com/1233766:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-set-timing.https.html [ Crash Failure Pass ]\n# Previously reported as failing via crbug.com/1233766 on Mac11:\n# Previously reported as failing via crbug.com/626703 on Mac10.15:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-2.https.html [ Crash Failure Pass ]\n# Also reported as failing via crbug.com/1233766:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-cancel.https.html [ Crash Failure Pass ]\ncrbug.com/1250666 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/overdraw.https.html [ Pass Timeout ]\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/invalid-image-paint-error.https.html [ Pass Timeout ]\n# Previously reported as failing via crbug.com/626703:\ncrbug.com/1236558 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/no-op-animation.https.html [ Crash Failure Pass ]\ncrbug.com/1233766 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-before-start.https.html [ Crash Failure Pass ]\ncrbug.com/1233766 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-get-timing-on-worklet-thread.https.html [ Crash Failure Pass ]\n\n# Temporarily disable to fix DevTools issue reporting\ncrbug.com/1241860 http/tests/inspector-protocol/issues/content-security-policy-issue-trusted-types-exception.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/content-security-policy-issue-trusted-types-policy-exception.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/cors-issues.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/renderer-cors-issues.js [ Skip ]\n\n# [CompositeClipPathAnimations] failing test\ncrbug.com/1249071 virtual/composite-clip-path-animation/external/wpt/css/css-masking/clip-path/animations/clip-path-animation-filter.html [ Crash Failure Pass ]\n\n# Sheriff 2021-09-08\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/valid-image-before-load.https.html [ Pass Timeout ]\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/valid-image-after-load.https.html [ Pass Timeout ]\n\n# Sheriff 2021-09-13\ncrbug.com/1229701 [ Linux ] http/tests/inspector-protocol/network/disable-cache-media-resource.js [ Failure Pass Timeout ]\n\n# WebRTC simulcast tests contineue to be flaky\ncrbug.com/1230534 [ Win ] external/wpt/webrtc/simulcast/vp8.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 [ Win ] external/wpt/webrtc/simulcast/h264.https.html [ Pass Skip Timeout ]\n\n# Following tests fail on mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] css3/blending/svg-blend-exclusion.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] css3/blending/svg-blend-multiply.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/canvas/element/manual/drawing-images-to-the-canvas/image-orientation/drawImage-from-blob.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/largest-contentful-paint/image-src-change.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/service-workers/service-worker/clients-matchall-order.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/images/document-policy-oversized-images-forced-layout.php [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] transforms/transformed-document-element.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/element/manual/drawing-images-to-the-canvas/image-orientation/drawImage-from-blob.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/clients-matchall-order.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/console-timeline.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/threaded/http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/threaded/http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/codec-tests/webm/webm-decode.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/AudioBufferSource/audiobuffersource-detune-modulation.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/AudioBufferSource/audiobuffersource-playbackrate-modulation.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/Analyser/realtimeanalyser-freq-data.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/Oscillator/no-dezippering.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-restartIce.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/offsetparent-old-behavior/external/wpt/shadow-dom/accesskey.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/workers/interfaces/WorkerUtils/importScripts/blob-url.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/other/editing-around-select-element.tentative_insertText.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/run/delete_6001-last.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/run/forwarddelete_6001-last.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/semantics/embedded-content/media-elements/interfaces/TextTrackCue/endTime.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webaudio/the-audio-api/the-convolvernode-interface/realtime-conv.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/web-share/disabled-by-feature-policy.https.sub.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/content-security-policy/securitypolicyviolation/source-file-data-scheme.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/script-write-twice-transform.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/selection/textcontrols/selectionchange.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/constructor/002_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.worker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.sharedworker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/readyState/003_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/close/close-nested_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/close/close-connecting_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/unload-a-document/002_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/color/color-picker-escape-cancellation-revert.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/css/focus-display-block-inline.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/dom/geometry-interfaces-dom-matrix-rotate.html [ Failure ]\n\n# Following tests timeout on mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure Skip Timeout ]\n\n# Flaky tests in mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] transforms/3d/general/cssmatrix-3d-zoom.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/images/document-policy-lossy-images-max-bpp.php [ Failure Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/plaintext-mode-2.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-canvas.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/jpeg-with-color-profile.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-repeat.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-shape.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/console/console-time.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/console-timeline.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/timeline-layout.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/2-comp.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/resource-timing/nested-context-navigations-embed.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/block/float/float-on-clean-line-subsequently-dirtied.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-js/timeline-microtasks.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/intersection-observer/cross-origin-iframe-with-nesting.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/controls/overflow-menu-always-visible.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/markers/document-markers-font-8px.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/markers/document-markers-zoom-2000.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-layout/timeline-layout-reason.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/resource-timing/nested-context-navigations-object.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webvtt/rendering/cues-with-video/processing-model/audio_has_no_subtitles.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/preload/without_doc_write_evaluator.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/elements/accessibility/edit-aria-attributes.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/overlay/overlay-persistent-overlays-with-emulation.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scroll-unification/plugins/multiple-plugins.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/layers/clip-rects-transformed-2.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/page-frames.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/user-timing.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/frame-model-instrumentation.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/layout-fonts/lang-fallback.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-position/fixed-z-index-blend.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/profiler/live-line-level-heap-profile.js [ Pass Skip Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] images/color-profile-background-image-space.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-paint/update-layer-tree.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-clip.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/page/set-font-families.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/mediastream/mediastreamtrackprocessor-transfer-to-worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/text-autosizing/wide-iframe.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/layout-instability/recent-input.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-cover.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/performance/perf-metrics.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/event-timing/event-retarget.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/mimesniff/media/media-sniff.window.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audio-decoder.crossOriginIsolated.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audio-decoder.crossOriginIsolated.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.html?adts_aac [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.html?mp4_aac [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/video-decoder.crossOriginIsolated.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/video-decoder.crossOriginIsolated.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.html?h264_annexb [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.html?h264_avc [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/RTCRtpTransceiver-setCodecPreferences.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/protocol/video-codecs.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/simulcast/h264.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/mediarecorder/MediaRecorder-ignores-oversize-frames-h264.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/prerender/wpt_internal/prerender/restriction-encrypted-media.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/video-codecs.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/annexb_decoding.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/annexb_decoding.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/avc_encoder_config.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/avc_encoder_config.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/basic_video_encoding.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/temporal_svc.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/temporal_svc.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simulcast/h264.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.worker.html?adts_aac [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.worker.html?mp4_aac [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.worker.html?h264_annexb [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.worker.html?h264_avc [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/12-55.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/file/recover-file-input-in-unposted-form.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-015.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-003.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-014.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-filter-all.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scalefactor200withoutzoom/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scalefactor200/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/split.https.html [ Pass Timeout ]\n\n# mac-arm CI 10-01-2021\ncrbug.com/1249176 [ Mac11-arm64 ] editing/text-iterator/beforematch-async.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/event-timing/click-interactionid.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/webappapis/update-rendering/child-document-raf-order.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/idle-detection/interceptor.https.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/opened-document-security-origin-resets-on-navigation.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/runtime/runtime-install-binding.js [ Failure Pass ]\n\n# mac-arm CI 10-05-2021\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-object-fit.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-alloc-direct-call/fast/canvas/canvas-lost-gpu-context.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-svg.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/directly-composited-image-orientation.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scroll-unification/plugins/focus-change-1-no-change.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] plugins/plugin-remove-subframe.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/replaced/no-focus-ring-object.html [ Failure Pass ]\n\ncrbug.com/1249176 [ Mac11-arm64 ] editing/selection/find-in-text-control.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-min-max-attribute.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/suggestion-picker/time-suggestion-picker-mouse-operations.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/stylesheet-and-script-load-order-http.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/blob/send-sliced-data-blob.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/formdata/send-form-data-with-empty-name.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/xss-DENIED-assign-location-hostname.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/picture-in-picture/v2/request-picture-in-picture.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/invalidation/selection/invalidation-rect-includes-newline-for-rtl.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] storage/indexeddb/intversion-revert-on-abort.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] svg/animations/animate-setcurrenttime.html [ Crash ]\n\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-011.html [ Crash Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-018.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/xhr/send-no-response-event-loadend.htm [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/inspector-protocol/network/blocked-cookie-same-site-strict.js [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/inspector-protocol/network/xhr-post-replay-cors.js [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/cross-origin-shared-worker-allowed.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/cors-rfc1918/internal-to-internal-xhr.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/autoplay/webaudio-audio-context-init.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/picture-in-picture/v2/detached-iframe.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/composite-relative-keyframes/external/wpt/css/css-transforms/animation/transform-interpolation-005.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-no-child1-yes-subdomain-child2-no-port.sub.https.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/not-site-per-process/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/iframe-navigation/parent-no-1-no-same-2-yes-port.sub.https.html [ Crash Pass ]\n\n# Sheriff 2021-09-16\ncrbug.com/1250457 [ Win7 ] http/tests/devtools/sources/debugger-ui/script-formatter-breakpoints-3.js [ Failure ]\ncrbug.com/1250457 [ Mac ] virtual/scroll-unification/plugins/plugin-map-data-to-src.html [ Failure ]\ncrbug.com/1250457 [ Mac ] storage/websql/open-database-set-empty-version.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/not-site-per-process/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/1-iframe/parent-no-child-yes-same.sub.https.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/plz-dedicated-worker-cors-rfc1918/http/tests/security/cors-rfc1918/external-to-internal-xhr.php [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/portals/http/tests/devtools/portals/portals-console.js [ Skip Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/prefer_compositing_to_lcd_text/scrollbars/custom-scrollbar-inactive-pseudo.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/prerender/wpt_internal/prerender/csp-prefetch-src-allow.html [ Skip Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/reporting-api/external/wpt/content-security-policy/reporting-api/reporting-api-report-to-only-sends-reports-to-first-endpoint.https.sub.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/scalefactor200/css3/filters/filter-animation-multi-hw.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/scroll-unification/fast/events/space-scroll-textinput-canceled.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/shared_array_buffer_on_desktop/fast/css/text-overflow-ellipsis-bidi.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/shared_array_buffer_on_desktop/storage/indexeddb/keypath-arrays.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] external/wpt/html/syntax/speculative-parsing/generated/document-write/meta-viewport-link-stylesheet-media.tentative.sub.html [ Failure ]\n\ncrbug.com/1249622 external/wpt/largest-contentful-paint/initially-invisible-images.html [ Failure ]\ncrbug.com/1249622 virtual/initially-invisible-images-lcp/external/wpt/largest-contentful-paint/initially-invisible-images.html [ Pass ]\ncrbug.com/959296 external/wpt/largest-contentful-paint/observe-svg-background-image.html [ Failure ]\ncrbug.com/959296 virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/observe-svg-background-image.html [ Pass ]\ncrbug.com/959296 external/wpt/largest-contentful-paint/observe-svg-data-uri-background-image.html [ Failure ]\ncrbug.com/959296 virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/observe-svg-data-uri-background-image.html [ Pass ]\n\n# FileSystemHandle::move() is temporarily disabled outside of the Origin Private File System\ncrbug.com/1247850 external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 external/wpt/file-system-access/local_FileSystemFileHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Fuchsia ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Linux ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.12 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.13 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.14 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.15 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac11 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Win ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-rename-manual.https.html [ Failure ]\n# FileSystemHandle::move() is temporarily disabled for directory handles\ncrbug.com/1250534 external/wpt/file-system-access/local_FileSystemDirectoryHandle-move-manual.https.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/local_FileSystemDirectoryHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.worker.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.worker.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemDirectoryHandle-move-manual.https.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemDirectoryHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.worker.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.worker.html [ Failure ]\n\n# Sheriff 2021-09-23\ncrbug.com/1164568 [ Mac10.12 ] external/wpt/html/cross-origin-opener-policy/reporting/navigation-reporting/reporting-popup-same-origin-allow-popups-report-to.https.html [ Failure ]\ncrbug.com/1164568 [ Mac10.13 ] external/wpt/html/cross-origin-opener-policy/reporting/navigation-reporting/reporting-popup-same-origin-allow-popups-report-to.https.html [ Failure ]\n\n# Sheriff 2021-09-27\n# Revisit once crbug.com/1123886 is addressed.\n# Likely has the same root cause for crashes.\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-start-delay.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-start-delay.https.html [ Skip ]\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-with-non-ascii-name.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-non-ascii-name.https.html [ Skip ]\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-local-time-after-duration.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-after-duration.https.html [ Skip ]\ncrbug.com/930462 external/wpt/animation-worklet/worklet-animation-pause-resume.https.html [ Skip ]\ncrbug.com/930462 virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-resume.https.html [ Skip ]\n\n# Sheriff 2021-09-29\ncrbug.com/1254163 [ Mac ] virtual/scroll-unification/ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure ]\n\n# Sheriff 2021-10-01\ncrbug.com/1255014 [ Linux ] virtual/scroll-unification-overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure Pass ]\ncrbug.com/1254963 [ Win ] external/wpt/mathml/presentation-markup/mrow/inferred-mrow-stretchy.html [ Crash Pass ]\ncrbug.com/1255221 http/tests/devtools/elements/styles-4/svg-style.js [ Failure Pass ]\n\n# Sheriff 2021-10-04\ncrbug.com/1226112 [ Win ] http/tests/text-autosizing/wide-iframe.html [ Pass Timeout ]\n\n# Temporarily disable to land DevTools changes\ncrbug.com/1260776 http/tests/devtools/console-xhr-logging.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/network/script-as-text-loading-long-url.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/network/script-as-text-loading-with-caret.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/sources/debugger/async-callstack-network-initiator.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/console-resource-errors.js [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1222126 http/tests/devtools/domdebugger/domdebugger-getEventListeners.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/cache-storage/cache-live-update-list.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/runtime/evaluate-timeout.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/resource-har-headers.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/resource-har-conversion.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/network/network-choose-preview-view.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/network/json-preview.js [ Skip ]\ncrbug.com/1215072 http/tests/devtools/elements/copy-styles.js [ Skip ]\n\n# Skip devtools test hitting an unexpected tracing infrastructure exception 2021-10-04\ncrbug.com/1255679 http/tests/devtools/service-workers/service-workers-wasm-test.js [ Skip ]\n\n# Sheriff 2021-10-05\ncrbug.com/1256755 http/tests/xmlhttprequest/cross-origin-unsupported-url.html [ Failure Pass ]\ncrbug.com/1256770 [ Mac ] svg/dynamic-updates/SVGFEComponentTransferElement-dom-intercept-attr.html [ Failure Pass ]\ncrbug.com/1256763 [ Win ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Mac ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\n\n# Disabled to allow devtools-frontend roll\ncrbug.com/1258618 virtual/portals/http/tests/devtools/portals/portals-elements-nesting-after-adoption.js [ Skip ]\n\n# Sheriff 2021-10-06\ncrbug.com/1257298 svg/dynamic-updates/SVGFEComponentTransferElement-dom-tableValues-attr.html [ Failure Pass ]\n\n# Sheriff 2021-10-07\ncrbug.com/1257570 [ Win7 ] fast/dom/vertical-scrollbar-in-rtl.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-cover.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-repeat.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-space.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-clip.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-filter-all.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-shape.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-object.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-svg.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/jpeg-with-color-profile.html [ Failure Pass ]\n\n# Sheriff 2021-10-12\ncrbug.com/1259133 [ Mac10.14 ] external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1259133 [ Mac10.14 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1259188 [ Mac10.14 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/1197465 [ Win7 ] virtual/scroll-unification/fast/events/mouse-cursor-no-mousemove.html [ Failure Pass ]\ncrbug.com/1259277 [ Debug Linux ] virtual/scroll-unification/fast/events/message-port-multi.html [ Failure Pass ]\n\n# Sheriff 2021-10-13\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.html [ Failure Pass ]\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.serviceworker.html [ Failure Pass ]\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.sharedworker.html [ Failure Pass ]\n\n# Data URL navigation within Fenced Frames currently crashed in the MPArch implementation.\ncrbug.com/1243568 virtual/fenced-frame-mparch/wpt_internal/fenced_frame/window-data-url-navigation.html [ Crash ]\n\n# Sheriff 2021-10-15\ncrbug.com/1256763 [ Linux ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/1260393 [ Mac ] virtual/oopr-canvas2d/fast/canvas/color-space/canvas-createImageBitmap-p3.html [ Failure Pass ]\n\n# Sheriff 2021-10-19\ncrbug.com/1256763 [ Linux ] images/color-profile-background-image-cross-fade.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] images/color-profile-background-clip-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] virtual/gpu-rasterization/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1259277 [ Mac ] fast/events/message-port-multi.html [ Failure Pass ]\n\n# Sheriff 2021-10-20\ncrbug.com/1261770 crbug.com/1245166 [ Linux ] external/wpt/web-bundle/subresource-loading/script-relative-url-in-web-bundle-cors.https.tentative.sub.html [ Failure Pass ]\ncrbug.com/1261770 crbug.com/1245166 [ Linux ] virtual/wbn-from-network/external/wpt/web-bundle/subresource-loading/script-relative-url-in-web-bundle-cors.https.tentative.sub.html [ Failure Pass ]\n\n# Sheriff 2021-10-26\ncrbug.com/1263349 [ Linux ] external/wpt/resource-timing/object-not-found-after-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-navigation.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-subresource-corp.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-endpoint.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/report-only-require-corp.https.html [ Failure Pass ]\ncrbug.com/1263732 http/tests/devtools/tracing/timeline-paint/timeline-paint-image.js [ Failure Pass ]\n\n# Sheriff 2021-10-29\ncrbug.com/1264670 [ Linux ] http/tests/devtools/resource-tree/resource-tree-frame-add.js [ Failure Pass ]\ncrbug.com/1264753 [ Mac10.12 ] external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.13 ] external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264775 [ Mac11-arm64 ] external/wpt/webrtc-stats/supported-stats.html [ Failure ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264775 [ Mac10.14 ] external/wpt/webrtc-stats/supported-stats.html [ Failure ]\n\n# Sheriff 2021-11-02\ncrbug.com/1265924 [ Fuchsia ] synthetic_gestures/smooth-scroll-tiny-delta.html [ Failure Pass ]\n\n# V8 roll\ncrbug.com/1257806 http/tests/devtools/console/console-external-array.js [ Skip ]\ncrbug.com/1257806 http/tests/devtools/console/console-log-side-effects.js [ Skip ]\n\n# TODO(https://crbug.com/1265311): Make the test behave the same way on all platforms\ncrbug.com/1265311 http/tests/navigation/location-change-repeated-from-blank.html [ Failure Pass ]\n\n# Sheriff 2021-11-03\ncrbug.com/1266199 [ Mac10.12 ] fast/css3-text/css3-text-decoration/text-decoration-style-wavy-font-size.html [ Failure Pass ]\ncrbug.com/1266221 [ Mac11-arm64 ] virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemFileHandle-create-sync-access-handle.https.tentative.window.html [ Failure Pass ]\ncrbug.com/1263354 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-adds-entry.html [ Failure Pass Timeout ]\n\ncrbug.com/1267076 wpt_internal/fenced_frame/navigator-keyboard-layout-map.https.html [ Failure ]\n\n# Sheriff 2021-11-08\ncrbug.com/1267734 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-after-TAO-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1267736 [ Win ] http/tests/devtools/bindings/jssourcemap-bindings-overlapping-sources.js [ Failure Pass ]\n\n# Sheriff 2021-11-09\ncrbug.com/1268259 [ Linux ] images/color-profile-image-canvas-pattern.html [ Failure ]\ncrbug.com/1268265 [ Mac10.14 ] virtual/prerender/external/wpt/speculation-rules/prerender/local-storage.html [ Failure ]\ncrbug.com/1268439 [ Linux ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1268439 [ Win10.20h2 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1268518 [ Linux ] external/wpt/web-animations/interfaces/Animation/onfinish.html [ Failure Pass ]\ncrbug.com/1268518 [ Mac10.12 ] external/wpt/web-animations/interfaces/Animation/onfinish.html [ Failure Pass ]\ncrbug.com/1268519 [ Win10.20h2 ] virtual/scroll-unification/http/tests/misc/resource-timing-sizes-multipart.html [ Failure Pass ]\ncrbug.com/1267734 [ Win7 ] css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1267734 [ Win7 ] virtual/scroll-unification/fast/forms/suggestion-picker/week-suggestion-picker-appearance.html [ Failure Pass ]\n\n# Sheriff 2021-11-10\ncrbug.com/1268931 [ Win10.20h2 ] css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1268963 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-after-TAO-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1268947 [ Linux ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/sources/debugger/async-callstack-network-initiator.js [ Failure Pass ]\ncrbug.com/1269011 [ Mac10.14 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1269011 [ Mac11-arm64 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\n" + }, + "written_data": { + "third_party/blink/web_tests/TestExpectations": "# tags: [ Android Fuchsia Linux Mac Mac10.12 Mac10.13 Mac10.14 Mac10.15 Mac11 Mac11-arm64 Win Win7 Win10.20h2 ]\n# tags: [ Release Debug ]\n# results: [ Timeout Crash Pass Failure Skip ]\n\n# This is the main failure suppression file for Blink LayoutTests.\n# Further documentation:\n# https://chromium.googlesource.com/chromium/src/+/master/docs/testing/web_test_expectations.md\n\n# Intentional failures to test the layout test system.\nharness-tests/crash.html [ Crash ]\nharness-tests/timeout.html [ Timeout ]\nfast/harness/sample-fail-mismatch-reftest.html [ Failure ]\n\n# Expected to fail.\nexternal/wpt/infrastructure/reftest/legacy/reftest_and_fail_0-ref.html [ Failure ]\nexternal/wpt/infrastructure/reftest/legacy/reftest_cycle_fail_0-ref.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-0.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-1.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-4.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-5.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-6.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-7.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_fail.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_mismatch_fail.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_multiple_mismatch-0.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_multiple_mismatch-1.html [ Failure ]\naccessibility/slot-poison.html [ Failure ]\n\n# Expected to time out.\nexternal/wpt/infrastructure/expected-fail/timeout.html [ Timeout ]\nexternal/wpt/infrastructure/reftest/reftest_ref_timeout.html [ Timeout ]\nexternal/wpt/infrastructure/reftest/reftest_timeout.html [ Timeout ]\n\n# We don't support extracting fuzzy information from .ini files, which these\n# WPT infrastructure tests rely on.\ncrbug.com/997202 external/wpt/infrastructure/reftest/legacy/reftest_fuzzy_chain_ini.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/legacy/fuzzy-ref-2.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_full.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_ref_only.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_short.html [ Failure ]\n\n# WPT HTTP/2 is not fully supported by run_web_tests.\ncrbug.com/1048761 external/wpt/infrastructure/server/http2-websocket.sub.h2.any.html [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/http2-websocket.sub.h2.any.worker.html [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/wpt-server-wpt-flags.sub.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/wpt-server-wpt-flags.sub.html?wpt_flags=https [ Failure ]\n\n# The following tests pass or fail depending on the underlying protocol (HTTP/1.1 vs HTTP/2).\n# The results of failures could be also different depending on the underlying protocol.\ncrbug.com/1048761 external/wpt/websockets/constructor/002.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/constructor/002.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/001.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/004.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/004.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/005.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/close/close-connecting.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/close/close-nested.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/readyState/003.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/unload-a-document/002.html?wss [ Failure Pass ]\n\n# Tests are flaky after a WPT import\ncrbug.com/1204961 [ Mac ] external/wpt/websockets/stream/tentative/abort.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/1204961 [ Mac ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wpt_flags=h2 [ Failure Pass ]\n# Flaking on WebKit Linux MSAN\ncrbug.com/1207373 [ Linux ] external/wpt/uievents/order-of-events/mouse-events/mousemove-across.html [ Failure Pass ]\n\n# WPT Test harness doesn't deal with finding an about:blank ref test\ncrbug.com/1066130 external/wpt/infrastructure/assumptions/blank.html [ Failure ]\n\n# Favicon is not supported by run_web_tests.\nexternal/wpt/fetch/metadata/favicon.https.sub.html [ Skip ]\n\ncrbug.com/807686 crbug.com/24182 jquery/manipulation.html [ Pass Skip Timeout ]\n\n# The following tests need to remove the assumption that user activation is\n# available in child/sibling frames. This assumption doesn't hold with User\n# Activation v2 (UAv2).\ncrbug.com/906791 external/wpt/fullscreen/api/element-ready-check-allowed-cross-origin-manual.sub.html [ Timeout ]\n\n# These two are left over from crbug.com/881040, I rebaselined them twice and\n# they continue to fail.\ncrbug.com/881040 media/controls/lazy-loaded-style.html [ Failure Pass ]\n\n# With --enable-display-compositor-pixel-dump enabled by default, these three\n# tests fail. See crbug.com/887140 for more info.\ncrbug.com/887140 virtual/hdr/color-jpeg-with-color-profile.html [ Failure ]\ncrbug.com/887140 virtual/hdr/color-profile-video.html [ Failure ]\ncrbug.com/887140 virtual/hdr/video-canvas-alpha.html [ Failure ]\n\n# Tested by paint/background/root-element-background-transparency.html for now.\nexternal/wpt/css/compositing/root-element-background-transparency.html [ Failure ]\n\n# ====== Synchronous, budgeted HTML parser tests from here ========================\n\n# See crbug.com/1254921 for details!\n#\n# These tests either fail outright, or become flaky, when these two flags/parameters are enabled:\n# --enable-features=ForceSynchronousHTMLParsing,LoaderDataPipeTuning:allocation_size_bytes/2097152/loader_chunk_size/1048576\n\n# app-history tests - fail:\ncrbug.com/1254926 external/wpt/app-history/navigate-event/navigate-history-back-after-fragment.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/navigate/navigate-same-document-event-order.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-app-history-back-forward-same-doc.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-app-history-navigate-same-doc.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-history-back-same-doc.html [ Failure ]\n\n# Extra line info appears in the output in some cases.\ncrbug.com/1254932 http/tests/preload/meta-csp.html [ Failure ]\n\n# Extra box in the output:\ncrbug.com/1254933 css3/filters/filterRegions.html [ Failure ]\n\n\n# Script preloaded: No\ncrbug.com/1254940 http/tests/security/contentSecurityPolicy/nonces/scriptnonce-redirect.html [ Failure ]\n\n# Test fails:\ncrbug.com/1254942 http/tests/security/subresourceIntegrity/revalidation-failed-script.html [ Failure ]\ncrbug.com/1254942 http/tests/security/subresourceIntegrity/empty-after-revalidate-script.html [ Failure ]\n\n# Two paint failures:\ncrbug.com/1254943 paint/invalidation/overflow/resize-child-within-overflow.html [ Failure ]\ncrbug.com/1254943 fast/events/hit-test-counts.html [ Failure ]\n\n# Image isn't present:\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-dom-offset-attr.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-intercept-prop.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-offset-prop.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-tableValues-prop.html [ Failure Pass ]\n\n# Fails flakily or times out\ncrbug.com/1255285 virtual/threaded/transitions/transition-currentcolor.html [ Failure Pass ]\ncrbug.com/1255285 virtual/threaded/transitions/transition-ends-before-animation-frame.html [ Timeout ]\n\n# Unknown media state flakiness (likely due to layout occuring earlier than expected):\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-candidate-insert-before.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-audio-constructor.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source-not-in-document.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source-networkState.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-in-sync-event.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-from-document.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-load.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-pause-networkState.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-pause.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-play.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-from-document-networkState.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-set-src-not-in-document.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-set-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-remove-source.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-remove-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-selection-metadata.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-cuechange.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-enter-exit.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-remove-insert-ready-state.html [ Failure Pass ]\n\n# ====== Synchronous, budgeted HTML parser tests to here ========================\n\ncrbug.com/1264472 plugins/focus-change-2-change-focus.html [ Failure Pass ]\n\n\ncrbug.com/1197502 [ Win ] http/tests/intersection-observer/cross-origin-iframe-with-nesting.html [ Failure Pass ]\n\n# ====== Site Isolation failures from here ======\n# See also third_party/blink/web_tests/virtual/not-site-per-process/README.md\n# Tests temporarily disabled with Site Isolation - uninvestigated bugs:\n# TODO(lukasza, alexmos): Burn down this list.\ncrbug.com/949003 http/tests/printing/cross-site-frame-scrolled.html [ Failure Pass ]\ncrbug.com/949003 http/tests/printing/cross-site-frame.html [ Failure Pass ]\n# ====== Site Isolation failures until here ======\n\n# ====== Oilpan-only failures from here ======\n# Most of these actually cause the tests to report success, rather than\n# failure. Expected outputs will be adjusted for the better once Oilpan\n# has been well and truly enabled always.\n# ====== Oilpan-only failures until here ======\n\n# ====== Browserside navigation from here ======\n# These tests started failing when browser-side navigation was turned on.\ncrbug.com/759632 http/tests/devtools/network/network-datasaver-warning.js [ Failure ]\n# ====== Browserside navigation until here ======\n\n# ====== Paint team owned tests from here ======\n# The paint team tracks and triages its test failures, and keeping them colocated\n# makes tracking much easier.\n# Covered directories are:\n# compositing except compositing/animations\n# hittesting\n# images, css3/images,\n# paint\n# svg\n# canvas, fast/canvas\n# transforms\n# display-lock\n# Some additional bugs that are caused by painting problems are also within this section.\n\n# --- Begin CompositeAfterPaint Tests --\n# Only whitelisted tests run under the virtual suite.\n# More tests run with CompositeAfterPaint on the flag-specific try bot.\nvirtual/composite-after-paint/* [ Skip ]\nvirtual/composite-after-paint/compositing/backface-visibility/* [ Pass ]\nvirtual/composite-after-paint/compositing/backgrounds/* [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/abs-position-inside-opacity.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/composited-html-size.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/outline-change.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/tall-page-composited.html [ Pass ]\nvirtual/composite-after-paint/compositing/gestures/gesture-tapHighlight-img.html [ Pass ]\nvirtual/composite-after-paint/compositing/gestures/gesture-tapHighlight-simple-scaledY.html [ Pass ]\nvirtual/composite-after-paint/compositing/iframes/iframe-in-composited-layer.html [ Pass ]\nvirtual/composite-after-paint/compositing/masks/mask-of-clipped-layer.html [ Pass ]\nvirtual/composite-after-paint/compositing/overflow/clip-rotate-opacity-fixed.html [ Pass ]\nvirtual/composite-after-paint/compositing/overlap-blending/children-opacity-huge.html [ Pass ]\nvirtual/composite-after-paint/compositing/plugins/* [ Pass ]\nvirtual/composite-after-paint/compositing/reflections/reflection-ordering.html [ Pass ]\nvirtual/composite-after-paint/compositing/rtl/rtl-overflow-scrolling.html [ Pass ]\nvirtual/composite-after-paint/compositing/squashing/squash-composited-input.html [ Pass ]\nvirtual/composite-after-paint/compositing/transitions/opacity-on-inline.html [ Pass ]\nvirtual/composite-after-paint/compositing/will-change/stacking-context-creation.html [ Pass ]\nvirtual/composite-after-paint/compositing/z-order/* [ Pass ]\nvirtual/composite-after-paint/paint/background/* [ Pass ]\nvirtual/composite-after-paint/paint/filters/* [ Pass ]\nvirtual/composite-after-paint/paint/frames/* [ Pass ]\nvirtual/composite-after-paint/scrollingcoordinator/* [ Pass ]\n# --- End CompositeAfterPaint Tests --\n\n# --- CanvasFormattedText tests ---\n# Fails on linux-rel even though actual and expected appear the same.\ncrbug.com/1176933 [ Linux ] virtual/gpu/fast/canvas/canvas-formattedtext-2.html [ Skip ]\n\n# --- END CanvasFormattedText tests\n\n# These tests were disabled to allow enabling WebAssembly Reference Types.\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/global/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/global/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/constructor-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/constructor-reftypes.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/set-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/set-reftypes.tentative.any.worker.html [ Failure Pass ]\n\n# These tests block fixes done in V8. The tests run on the V8 bots as well.\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/toString.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/toString.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/constructor-types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/constructor-types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/prototypes.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/prototypes.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor-types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor-types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow-reftypes.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/get-set.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/get-set.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow.any.worker.html [ Failure Pass ]\n\n# Sheriff on 2020-09-03\ncrbug.com/1124352 media/picture-in-picture/clear-after-request.html [ Crash Pass ]\ncrbug.com/1124352 media/picture-in-picture/controls/picture-in-picture-button.html [ Crash Pass ]\ncrbug.com/1124352 media/picture-in-picture/picture-in-picture-interstitial.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/css-selector.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/exit-picture-in-picture.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/picture-in-picture-element.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/shadow-dom.html [ Crash Pass ]\n\ncrbug.com/1174966 [ Mac ] external/wpt/webrtc/RTCPeerConnection-restartIce.https.html [ Failure Pass Timeout ]\ncrbug.com/1174965 [ Mac ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDtlsTransport-state.html [ Failure Pass ]\n\n# These tests require portals, and some require cross-origin portals.\n# Keep this in sync with VirtualTestSuites.\ncrbug.com/1093466 external/wpt/fetch/metadata/portal.https.sub.html [ Skip ]\ncrbug.com/1093466 external/wpt/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/devtools/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/inspector-protocol/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/portals/* [ Skip ]\ncrbug.com/1093466 wpt_internal/portals/* [ Skip ]\ncrbug.com/1093466 virtual/portals/external/wpt/fetch/metadata/portal.https.sub.html [ Pass ]\ncrbug.com/1093466 virtual/portals/external/wpt/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/devtools/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/inspector-protocol/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/wpt_internal/portals/* [ Pass ]\n\n# These tests require the experimental prerender feature.\n# See https://crbug.com/1126305.\ncrbug.com/1126305 external/wpt/speculation-rules/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/external/wpt/speculation-rules/prerender/* [ Pass ]\ncrbug.com/1126305 wpt_internal/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/wpt_internal/prerender/* [ Pass ]\ncrbug.com/1126305 http/tests/inspector-protocol/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/http/tests/inspector-protocol/prerender/* [ Pass ]\n\n## prerender test: the File System Access API is not supported on Android ##\ncrbug.com/1182032 [ Android ] virtual/prerender/wpt_internal/prerender/restriction-local-file-system-access.https.html [ Skip ]\n## prerender test: Notification constructor is not supported on Android ##\ncrbug.com/1198110 [ Android ] virtual/prerender/external/wpt/speculation-rules/prerender/restriction-notification.https.html [ Skip ]\n\n# These tests require BFCache, which is currently disabled by default on Desktop.\n# Keep this in sync with VirtualTestSuites.\ncrbug.com/1171298 http/tests/inspector-protocol/bfcache/* [ Skip ]\ncrbug.com/1171298 http/tests/devtools/bfcache/* [ Skip ]\ncrbug.com/1171298 virtual/bfcache/http/tests/inspector-protocol/bfcache/* [ Pass ]\ncrbug.com/1171298 virtual/bfcache/http/tests/devtools/bfcache/* [ Pass ]\n\n# These tests require LazyEmbed, which is currently disabled by default.\ncrbug.com/1247131 virtual/automatic-lazy-frame-loading/wpt_internal/lazyembed/* [ Pass ]\ncrbug.com/1247131 wpt_internal/lazyembed/* [ Skip ]\n\n# These tests require the mparch based fenced frames.\ncrbug.com/1260483 http/tests/inspector-protocol/fenced-frame/* [ Skip ]\ncrbug.com/1260483 virtual/fenced-frame-mparch/http/tests/inspector-protocol/fenced-frame/* [ Pass ]\n\n# Ref test with very minor differences. We need fuzzy matching for our ref tests,\n# or upstream this to WPT.\ncrbug.com/1185506 svg/text/textpath-pattern.svg [ Failure Pass ]\n\ncrbug.com/807395 fast/multicol/mixed-opacity-test.html [ Failure ]\n\n########## Ref tests can't be rebaselined ##########\ncrbug.com/504613 crbug.com/524248 [ Mac ] paint/images/image-backgrounds-not-antialiased.html [ Failure ]\n\ncrbug.com/619103 paint/invalidation/background/background-resize-width.html [ Failure Pass ]\n\ncrbug.com/784956 fast/history/frameset-repeated-name.html [ Failure Pass ]\n\n\n########## Genuinely flaky ##########\ncrbug.com/624233 virtual/gpu-rasterization/images/color-profile-background-clip-text.html [ Failure Pass ]\ncrbug.com/757605 virtual/gpu-rasterization/images/jpeg-yuv-progressive-image.html [ Failure Pass ]\ncrbug.com/1223284 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-cross-fade.html [ Failure Pass ]\ncrbug.com/1223284 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-cross-fade.html [ Failure Pass ]\n\n########## Bugs to fix ##########\n# This is a missing event and increasing the timeout or using run-after-layout-and-paint doesn't\n# seem to fix it.\ncrbug.com/309675 compositing/gestures/gesture-tapHighlight-simple-longPress.html [ Failure ]\n\ncrbug.com/845267 [ Mac ] http/tests/inspector-protocol/page/page-lifecycleEvents.js [ Failure Pass ]\ncrbug.com/1046784 http/tests/inspector-protocol/page/page-events-associated-isolation.js [ Failure Pass ]\n\n# Looks like a failure to get a paint on time. Test could be changed to use runAfterLayoutAndPaint\n# instead of a timeout, which may fix things.\ncrbug.com/713049 images/color-profile-reflection.html [ Failure Pass ]\ncrbug.com/713049 virtual/gpu-rasterization/images/color-profile-reflection.html [ Failure Pass Timeout ]\n\n# This test was attributed to site isolation but times out with or without it. Broken test?\ncrbug.com/1050826 external/wpt/mixed-content/gen/top.http-rp/opt-in/object-tag.https.html [ Skip Timeout ]\n\ncrbug.com/791941 virtual/exotic-color-space/images/color-profile-border-fade.html [ Failure Pass ]\ncrbug.com/791941 virtual/gpu-rasterization/images/color-profile-border-fade.html [ Failure Pass ]\n\ncrbug.com/1098369 fast/canvas/OffscreenCanvas-copyImage.html [ Failure Pass ]\n\ncrbug.com/1106590 virtual/gpu/fast/canvas/canvas-path-non-invertible-transform.html [ Crash Pass ]\n\ncrbug.com/1237275 fast/canvas/layers-lonebeginlayer.html [ Failure Pass ]\ncrbug.com/1237275 fast/canvas/layers-unmatched-beginlayer.html [ Failure Pass ]\ncrbug.com/1231615 fast/canvas/layers-nested.html [ Failure Pass ]\n\n# Assorted WPT canvas tests failing\ncrbug.com/1093709 external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.resize.html [ Failure Pass ]\ncrbug.com/1243128 [ Win ] external/wpt/html/canvas/element/wide-gamut-canvas/2d.color.space.p3.fillText.html [ Failure ]\ncrbug.com/1243128 [ Win ] external/wpt/html/canvas/element/wide-gamut-canvas/2d.color.space.p3.fillText.shadow.html [ Failure ]\ncrbug.com/1170062 [ Linux ] external/wpt/html/canvas/element/manual/shadows/canvas_shadows_001.htm [ Pass Timeout ]\ncrbug.com/1170062 [ mac ] external/wpt/html/canvas/element/manual/shadows/canvas_shadows_001.htm [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.html [ Pass Skip Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/fill-and-stroke-styles/2d.gradient.interpolate.zerosize.fillText.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.zero.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.html [ Pass Skip Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/fill-and-stroke-styles/2d.gradient.interpolate.zerosize.fillText.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.zero.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac10.13 ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.worker.html [ Timeout ]\ncrbug.com/1170337 [ Mac10.13 ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.worker.html [ Skip Timeout ]\n\n# Off by one pixel error on ref test\ncrbug.com/1259367 [ Mac ] printing/offscreencanvas-webgl-printing.html [ Failure ]\n\n# Subpixel differences due to compositing on Mac10.14+.\ncrbug.com/997202 [ Mac10.14 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/997202 [ Mac10.15 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/997202 [ Mac11 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\n\n# This test depends on synchronous focus() which does not exist (anymore?).\ncrbug.com/1074482 external/wpt/html/interaction/focus/the-autofocus-attribute/update-the-rendering.html [ Failure ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-by-feature-policy-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-by-feature-policy-attribute-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-by-feature-policy-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-by-feature-policy-attribute-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1105278 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-on-self-origin-by-feature-policy.tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1104125 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-on-self-origin-by-feature-policy.tentative.https.sub.html [ Failure Pass ]\n\n# This test has a bug in it that prevents it from being able to deal with order\n# differences it claims to support.\ncrbug.com/1076129 external/wpt/service-workers/service-worker/clients-matchall-frozen.https.html [ Failure Pass ]\n\n# Flakily timing out or failing.\n# TODO(ccameron): Investigate this.\ncrbug.com/730267 virtual/gpu-rasterization/images/color-profile-group.html [ Failure Pass Skip Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-layer.html [ Failure Pass Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure Pass Skip Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization-disable-yuv/images/yuv-decode-eligible/color-profile-layer.html [ Failure Pass Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization-disable-yuv/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure Pass Skip Timeout ]\n\n# Flaky virtual/threaded/fast/scrolling tests\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/absolute-position-behind-scrollbar.html [ Failure Pass ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/fixed-position-behind-scrollbar.html [ Failure Pass ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/listbox-wheel-event.html [ Failure Pass Timeout ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/overflow-scrollability.html [ Failure Pass Timeout ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/same-page-navigate.html [ Failure Pass ]\n\ncrbug.com/915926 fast/events/touch/multi-touch-user-gesture.html [ Failure Pass ]\n\ncrbug.com/736052 compositing/overflow/composited-scroll-with-fractional-translation.html [ Failure Pass ]\n\n# New OffscreenCanvas Tests that are breaking LayoutTest\n\ncrbug.com/980969 http/tests/input/discard-events-to-unstable-iframe.html [ Failure Pass ]\n\ncrbug.com/1086591 external/wpt/css/mediaqueries/aspect-ratio-004.html [ Failure ]\ncrbug.com/1086591 external/wpt/css/mediaqueries/device-aspect-ratio-002.html [ Failure ]\ncrbug.com/1002049 external/wpt/css/mediaqueries/aspect-ratio-005.html [ Failure ]\ncrbug.com/1002049 external/wpt/css/mediaqueries/aspect-ratio-006.html [ Failure ]\ncrbug.com/946762 external/wpt/css/mediaqueries/mq-gamut-004.html [ Failure ]\ncrbug.com/946762 external/wpt/css/mediaqueries/mq-gamut-002.html [ Failure ]\ncrbug.com/962417 external/wpt/css/mediaqueries/mq-negative-range-001.html [ Failure ]\ncrbug.com/442449 external/wpt/css/mediaqueries/mq-range-001.html [ Failure ]\n\ncrbug.com/1007134 external/wpt/intersection-observer/v2/delay-test.html [ Failure Pass ]\ncrbug.com/1004547 external/wpt/intersection-observer/cross-origin-iframe.sub.html [ Failure Pass ]\ncrbug.com/1007229 external/wpt/intersection-observer/same-origin-grand-child-iframe.sub.html [ Failure Pass ]\n\ncrbug.com/936084 external/wpt/css/css-sizing/max-content-input-001.html [ Failure ]\n\ncrbug.com/849459 fragmentation/repeating-thead-under-repeating-thead.html [ Failure ]\n\n# These fail when device_scale_factor is changed, but only for anti-aliasing:\ncrbug.com/968791 [ Mac ] virtual/scalefactor200/css3/filters/effect-blur-hw.html [ Failure Pass ]\ncrbug.com/968791 virtual/scalefactor200/css3/filters/filterRegions.html [ Failure ]\n\n# These appear to be actually incorrect at device_scale_factor 2.0:\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-001.html [ Failure ]\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-002.html [ Failure ]\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-003.html [ Failure ]\ncrbug.com/968791 virtual/scalefactor200/external/wpt/css/filter-effects/filters-test-brightness-003.html [ Failure ]\n\ncrbug.com/916825 external/wpt/css/filter-effects/filter-subregion-01.html [ Failure ]\n\n# Could be addressed with fuzzy diff.\ncrbug.com/910537 external/wpt/svg/painting/marker-006.svg [ Failure ]\ncrbug.com/910537 external/wpt/svg/painting/marker-005.svg [ Failure ]\n\n# We don't yet implement context-fill and context-stroke\ncrbug.com/367737 external/wpt/svg/painting/reftests/paint-context-001.svg [ Failure ]\ncrbug.com/367737 external/wpt/svg/painting/reftests/paint-context-002.svg [ Failure ]\n\n# Unprefixed 'mask' ('mask-image', 'mask-border') support not yet implemented.\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-clip-exclude.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-local-mask.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-image.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-remote-mask.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-image-hash.html [ Failure ]\n\n# CSS cascade layers\ncrbug.com/1095765 external/wpt/css/css-cascade/layer-stylesheet-sharing.html [ Failure ]\n\n# Fails, at a minimum, due to lack of support for CSS mask property in html elements\ncrbug.com/432153 external/wpt/svg/painting/reftests/display-none-mask.html [ Skip ]\n\n# WPT SVG Tests failing. Have not been investigated in all cases.\ncrbug.com/1184034 external/wpt/svg/linking/reftests/href-filter-element.html [ Failure ]\ncrbug.com/366559 external/wpt/svg/shapes/reftests/pathlength-003.svg [ Failure ]\ncrbug.com/366559 external/wpt/svg/text/reftests/textpath-side-001.svg [ Failure ]\ncrbug.com/366559 external/wpt/svg/text/reftests/textpath-shape-001.svg [ Failure ]\ncrbug.com/803360 external/wpt/svg/path/closepath/segment-completing.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-001.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-201.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-202.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-102.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-002.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-203.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-003.svg [ Failure ]\ncrbug.com/670177 external/wpt/svg/rendering/order/z-index.svg [ Failure ]\ncrbug.com/863355 [ Mac ] external/wpt/svg/shapes/reftests/pathlength-002.svg [ Failure ]\ncrbug.com/1052202 external/wpt/svg/linking/scripted/href-mpath-element.html [ Timeout ]\ncrbug.com/1052202 external/wpt/svg/linking/scripted/href-animate-element.html [ Timeout ]\ncrbug.com/1222395 external/wpt/svg/path/property/mpath.svg [ Failure ]\ncrbug.com/785246 external/wpt/svg/struct/reftests/use-inheritance-001.svg [ Failure ]\ncrbug.com/785246 external/wpt/svg/linking/reftests/use-descendant-combinator-003.html [ Failure ]\ncrbug.com/674797 external/wpt/svg/painting/reftests/marker-path-022.svg [ Failure ]\ncrbug.com/674797 external/wpt/svg/painting/reftests/marker-path-023.svg [ Failure ]\n\ncrbug.com/699040 external/wpt/svg/text/reftests/text-xml-space-001.svg [ Failure ]\n\n# WPT backgrounds and borders tests. Note that there are many more in NeverFixTests\n# that should be investigated (see crbug.com/780700)\ncrbug.com/1242416 [ Linux ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/1242416 [ Mac10.14 ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/1242416 [ Debug Mac10.15 ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/492187 external/wpt/css/CSS2/backgrounds/background-intrinsic-004.xht [ Failure ]\ncrbug.com/492187 external/wpt/css/CSS2/backgrounds/background-intrinsic-006.xht [ Failure ]\ncrbug.com/767352 external/wpt/css/css-backgrounds/border-image-width-008.html [ Failure ]\ncrbug.com/1268426 external/wpt/css/css-backgrounds/border-image-width-should-extend-to-padding.html [ Failure ]\ncrbug.com/1268426 virtual/threaded/external/wpt/css/css-backgrounds/border-image-width-should-extend-to-padding.html [ Failure ]\n\n\n# ==== Regressions introduced by BlinkGenPropertyTrees =====\n# Reflection / mask ordering issue\ncrbug.com/767318 compositing/reflections/nested-reflection-mask-change.html [ Failure ]\n# Incorrect scrollbar invalidation.\ncrbug.com/887000 virtual/prefer_compositing_to_lcd_text/scrollbars/hidden-scrollbars-invisible.html [ Failure Timeout ]\ncrbug.com/887000 [ Mac10.14 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac10.15 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac11 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac11-arm64 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\n\ncrbug.com/882975 virtual/threaded/fast/events/pinch/gesture-pinch-zoom-prevent-in-handler.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/fast/events/pinch/scroll-visual-viewport-send-boundary-events.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchpad-zoom-in-slow.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchpad.html [ Failure Pass ]\n\ncrbug.com/898394 virtual/android/url-bar/bottom-and-top-fixed-sticks-to-top.html [ Failure Timeout ]\n\ncrbug.com/1024151 http/tests/devtools/tracing/timeline-style/timeline-style-recalc-all-invalidator-types.js [ Failure Pass ]\n\n# Subpixel rounding differences that are incorrect.\ncrbug.com/997202 compositing/overflow/scaled-overflow.html [ Failure ]\n# Flaky subpixel AA difference (not necessarily incorrect, but flaky)\ncrbug.com/997202 virtual/threaded-no-composited-antialiasing/animations/skew-notsequential-compositor.html [ Failure Pass ]\n# Only one pixel difference (187,187,187) vs (188,188,188) occasionally.\ncrbug.com/1207960 [ Linux ] compositing/perspective-interest-rect.html [ Failure Pass ]\n\ncrbug.com/954591 external/wpt/css/css-transforms/composited-under-rotateY-180deg.html [ Failure ]\ncrbug.com/954591 external/wpt/css/css-transforms/composited-under-rotateY-180deg-clip.html [ Failure ]\n\ncrbug.com/1261905 external/wpt/css/css-transforms/backface-visibility-hidden-child-will-change-transform.html [ Failure ]\ncrbug.com/1261905 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-child-translate.html [ Failure ]\n\n# CompositeAfterPaint remaining failures\n# Outline paints incorrectly with columns. Needs LayoutNGBlockFragmentation.\ncrbug.com/1047358 paint/pagination/composited-paginated-outlined-box.html [ Failure ]\ncrbug.com/1266689 compositing/gestures/gesture-tapHighlight-composited-img.html [ Failure Pass ]\n# Need to force the video to be composited in this case, or change pre-CAP\n# to match CAP behavior.\ncrbug.com/1108972 fullscreen/compositor-touch-hit-rects-fullscreen-video-controls.html [ Failure ]\n# Cross-origin iframe layerization is buggy with empty iframes.\ncrbug.com/1123189 virtual/threaded-composited-iframes/external/wpt/is-input-pending/security/cross-origin-subframe-masked-pointer-events-mixed-2.sub.html [ Failure ]\ncrbug.com/1123189 virtual/threaded-composited-iframes/external/wpt/is-input-pending/security/cross-origin-subframe-complex-clip.sub.html [ Failure ]\ncrbug.com/1266900 [ Mac ] fast/events/touch/gesture/right-click-gestures-set-cursor-at-correct-position.html [ Crash Pass ]\ncrbug.com/1267924 [ Mac ] external/wpt/css/css-contain/contain-layout-baseline-005.html [ Failure ]\ncrbug.com/1267924 [ Mac ] external/wpt/css/css-contain/contain-layout-suppress-baseline-001.html [ Failure ]\n# Needs rebaseline on Fuchsia.\ncrbug.com/1267498 [ Fuchsia ] paint/invalidation/svg/animated-svg-as-image-transformed-offscreen.html [ Failure ]\ncrbug.com/1267498 [ Fuchsia ] compositing/layer-creation/fixed-position-out-of-view.html [ Failure ]\n\n# WebGPU tests are only run on GPU bots, so they are skipped by default and run\n# separately from other Web Tests.\nexternal/wpt/webgpu/* [ Skip ]\nwpt_internal/webgpu/* [ Skip ]\n\ncrbug.com/1018273 [ Mac ] compositing/gestures/gesture-tapHighlight-2-iframe-scrolled-inner.html [ Failure ]\n\n# Requires support of the image-resolution CSS property\ncrbug.com/1086473 external/wpt/css/css-images/image-resolution/* [ Skip ]\n\n# Fail due to lack of fuzzy matching on Linux, Win and Mac platforms for WPT. The pixels in the pre-rotated reference\n# images do not exactly match the exif rotated images, probably due to jpeg decoding/encoding issues. Maybe\n# adjusting the image size to a multiple of 8 would fix this (so all jpeg blocks are solid color).\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/svg-image-orientation-aspect-ratio.html [ Failure ]\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/image-orientation-background-properties.html [ Failure ]\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/image-orientation-background-properties-border-radius.html [ Failure ]\ncrbug.com/997202 external/wpt/density-size-correction/density-corrected-image-svg-aspect-ratio.html [ Failure ]\n\ncrbug.com/1159433 external/wpt/css/css-images/image-orientation/image-orientation-exif-png.html [ Failure ]\n\n# Ref results are wrong on the background and list case, not sure on border result\ncrbug.com/1076121 external/wpt/css/css-images/image-orientation/image-orientation-border-image.html [ Failure ]\n\n# object-fit is not applied for <object>/<embed>.\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-dyn-aspect-ratio-001.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-dyn-aspect-ratio-002.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-006o.html [ Failure ]\n\n# Minor rendering difference to the ref image because of filtering or positioning.\n# (Possibly because of the use of 'image-rendering: crisp-edges' in some cases.)\ncrbug.com/1174873 external/wpt/css/css-images/object-fit-cover-png-001c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-fit-cover-png-002c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002p.html [ Failure ]\n\n# The following fails because we don't use the natural aspect ratio when applying\n# object-fit, and the images referenced don't have a natural size.\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-003i.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-003p.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-004i.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-004p.html [ Failure ]\n\ncrbug.com/1042783 external/wpt/css/css-backgrounds/background-size/background-size-near-zero-png.html [ Failure ]\ncrbug.com/1042783 external/wpt/css/css-backgrounds/background-size/background-size-near-zero-svg.html [ Failure ]\ncrbug.com/935057 external/wpt/css/css-backgrounds/background-size-043.html [ Failure ]\ncrbug.com/935057 external/wpt/css/css-backgrounds/background-size-044.html [ Failure ]\n\n# Not obviously incorrect (minor pixel differences, likely due to filtering).\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-space-10.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-round-1.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-round-2.html [ Failure ]\n\n# Passes with the WPT runner but not the internal one. (???)\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1a.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1b.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1c.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-3.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-4.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-5.html [ Failure ]\n\n# Off-by-one in some components.\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-6.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-7.html [ Failure ]\n\ncrbug.com/667006 external/wpt/css/css-backgrounds/background-attachment-fixed-inside-transform-1.html [ Failure ]\n\n# Bug accidentally masked by using square mask geometry.\ncrbug.com/1155161 svg/masking/mask-of-root.html [ Failure ]\n\n# Failures due to pointerMove building synthetic events without button information (main thread only).\ncrbug.com/1056778 fast/scrolling/scrollbars/scrollbar-thumb-snapping.html [ Failure ]\n\n# Most of these fail due to subpixel differences, but a couple are real failures.\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-animation.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-canvas-parent.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-canvas-sibling.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-with-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-iframe-sibling.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-border-image.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/compositing_simple_div.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-simple.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-stacking-context-001.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-paragraph-background-image.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-intermediate-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-paragraph.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-both-parent-and-blended-with-3D-transform.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-svg.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-filter.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-with-3D-transform.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-script.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-iframe-parent.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-element-interposed.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-with-transform-and-preserve-3D.html [ Failure ]\ncrbug.com/1044742 [ Mac ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video.html [ Failure ]\ncrbug.com/1044742 [ Win ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-with-text.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-mask.html [ Failure ]\n\n# Minor pixel differences\ncrbug.com/1056492 external/wpt/svg/painting/reftests/marker-path-001.svg [ Failure ]\n\n# Slightly flaky timeouts (about 1 in 30)\ncrbug.com/1050993 [ Linux ] virtual/gpu-rasterization/images/drag-image-descendant-painting-sibling.html [ Crash Pass Timeout ]\n\n# Flaky test.\ncrbug.com/1054894 [ Mac ] http/tests/images/image-decode-in-frame.html [ Failure Pass ]\n\ncrbug.com/819617 [ Linux ] virtual/text-antialias/descent-clip-in-scaled-page.html [ Failure ]\n\n# ====== Paint team owned tests to here ======\n\ncrbug.com/1142958 external/wpt/layout-instability/absolute-child-shift-with-parent-will-change.html [ Failure ]\n\ncrbug.com/922249 virtual/android/fullscreen/compositor-touch-hit-rects-fullscreen-video-controls.html [ Failure Pass ]\n\n# ====== Layout team owned tests from here ======\n\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule3-outside-left-002.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule3-outside-right-002.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule7-outside-left-001.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule7-outside-right-001.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-wrap-bfc-006.xht [ Failure ]\n\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floating-replaced-height-008.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-108.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-109.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-110.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-126.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-127.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-128.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-129.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-130.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-131.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-137.xht [ Skip ]\n\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-001.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-002.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-003.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-005.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-006.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-paged-001.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-paged-002.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-003.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-005.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-020.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-021.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-022.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-034.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-035.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-036.xht [ Skip ]\n\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/block-in-inline-insert-001f.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/block-in-inline-insert-002f.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-002.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-003.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-004.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-005.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-003.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-004.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-005.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-006.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/max-width-applies-to-005.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/max-width-applies-to-006.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/replaced-intrinsic-001.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/replaced-intrinsic-002.xht [ Failure ]\n\ncrbug.com/716930 external/wpt/css/CSS2/normal-flow/block-in-inline-float-in-layer-001.html [ Failure ]\n\n#### external/wpt/css/css-sizing\ncrbug.com/1261306 external/wpt/css/css-sizing/aspect-ratio/flex-aspect-ratio-004.html [ Failure ]\ncrbug.com/970201 external/wpt/css/css-sizing/slice-intrinsic-size.html [ Failure ]\ncrbug.com/970201 external/wpt/css/css-sizing/clone-intrinsic-size.html [ Failure ]\n\ncrbug.com/1251634 external/wpt/css/css-text-decor/text-underline-offset-zero-position.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-subelements-002.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-subelements-003.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-color.html [ Failure ]\n\n#### Unprefix and update the implementation for text-emphasis\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-color-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-002.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-007.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-008.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-010.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-012.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-016.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-021.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-filled-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-open-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-shape-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-string-001.xht [ Failure ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-073-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-072-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-071-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-020-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-076-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-075-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-021-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-022-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-074-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-019-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-048-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-046a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-082-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-048a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-085-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-044-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-097a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-001-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-090-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-092-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-095-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-095a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-040a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-096a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-002-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-045-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-091-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-092a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-004-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-096-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-040-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-003-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-091a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-097-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-041-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-049-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-090a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-090a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-046a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-091-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-048a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-092a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-096-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-048-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-003-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-091a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-002-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-090-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-092-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-095a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-049-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-041-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-040a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-097-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-001-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-045-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-082-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-096a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-044-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-004-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-085-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-097a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-040-manual.html [ Skip ]\n\n# `text-decoration-skip-ink: all` not implemented yet.\ncrbug.com/1054656 external/wpt/css/css-text-decor/text-decoration-skip-ink-005.html [ Skip ]\n\ncrbug.com/722825 media/controls/video-enter-exit-fullscreen-while-hovering-shows-controls.html [ Pass Skip Timeout ]\n\n#### crbug.com/783229 overflow\ncrbug.com/724701 overflow/overflow-basic-004.html [ Failure ]\n\n# Temporary failure as trying to ship inline-end padding for overflow.\ncrbug.com/1245722 external/wpt/css/cssom-view/scrollWidthHeight.xht [ Failure ]\n\ncrbug.com/846753 [ Mac ] http/tests/media/reload-after-dialog.html [ Failure Pass Timeout ]\n\n### external/wpt/css/css-tables/\ncrbug.com/708345 external/wpt/css/css-tables/height-distribution/extra-height-given-to-all-row-groups-004.html [ Failure ]\ncrbug.com/694374 external/wpt/css/css-tables/anonymous-table-ws-001.html [ Failure ]\ncrbug.com/174167 external/wpt/css/css-tables/visibility-collapse-colspan-003.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-max-size-001.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-min-size-001.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-size-001.html [ Failure ]\ncrbug.com/910725 external/wpt/css/css-tables/tentative/paint/overflow-hidden-table.html [ Failure ]\n\n# [css-contain]\n\ncrbug.com/880802 external/wpt/css/css-contain/contain-layout-017.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-contain/contain-layout-breaks-002.html [ Failure ]\ncrbug.com/847274 external/wpt/css/css-contain/contain-paint-005.html [ Failure ]\ncrbug.com/847274 external/wpt/css/css-contain/contain-paint-006.html [ Failure ]\ncrbug.com/880802 external/wpt/css/css-contain/contain-paint-021.html [ Failure ]\ncrbug.com/882367 external/wpt/css/css-contain/contain-paint-clip-015.html [ Failure ]\ncrbug.com/882367 external/wpt/css/css-contain/contain-paint-clip-016.html [ Failure ]\ncrbug.com/1154574 external/wpt/css/css-contain/contain-size-monolithic-002.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-001.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-002.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-003.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-004.html [ Failure ]\n\n# [css-align]\n\ncrbug.com/722287 crbug.com/886585 external/wpt/css/css-flexbox/abspos/flex-abspos-staticpos-align-self-safe-001.html [ Failure ]\ncrbug.com/599828 external/wpt/css/css-flexbox/abspos/flex-abspos-staticpos-fallback-align-content-001.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-002.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-003.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-004.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-002.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-003.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-004.html [ Failure ]\n\n# [css-ui]\n# The `input-security` property not implemented yet.\ncrbug.com/1253732 external/wpt/css/css-ui/input-security-none-sensitive-text-input.html [ Failure ]\n# Layout team disagrees with the spec for this particular test.\ncrbug.com/591099 external/wpt/css/css-ui/text-overflow-015.html [ Failure ]\n\n# [css-flexbox]\n\ncrbug.com/807497 external/wpt/css/css-flexbox/anonymous-flex-item-005.html [ Failure ]\ncrbug.com/1155036 external/wpt/css/css-flexbox/contain-size-layout-abspos-flex-container-crash.html [ Crash Pass ]\ncrbug.com/1251689 external/wpt/css/css-flexbox/table-as-item-specified-width-vertical.html [ Failure ]\n\n# Needs \"new\" flex container intrinsic size algorithm.\ncrbug.com/240765 external/wpt/css/css-flexbox/flex-container-max-content-001.html [ Failure ]\ncrbug.com/240765 external/wpt/css/css-flexbox/flex-container-min-content-001.html [ Failure ]\n\n# These tests are in conflict with overflow-area-*, update them if our change is web compatible.\ncrbug.com/1069614 external/wpt/css/css-flexbox/scrollbars-auto.html [ Failure ]\ncrbug.com/1069614 external/wpt/css/css-flexbox/scrollbars.html [ Failure ]\ncrbug.com/1069614 css3/flexbox/overflow-and-padding.html [ Failure ]\n\n# These require css-align-3 positional keywords that Blink doesn't yet support for flexbox.\ncrbug.com/1011718 external/wpt/css/css-flexbox/flexbox-safe-overflow-position-001.html [ Failure ]\n\n# We don't support requesting flex line breaks and it is not clear that we should.\n# See https://lists.w3.org/Archives/Public/www-style/2015May/0065.html\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-horiz-001a.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-horiz-001b.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-vert-001a.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-vert-001b.html [ Failure ]\n\n# We don't currently support visibility: collapse in flexbox\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-baseline-001.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-001.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-002.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-003.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox_visibility-collapse-line-wrapping.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox_visibility-collapse.html [ Failure ]\n\ncrbug.com/606208 external/wpt/css/css-flexbox/order/order-abs-children-painting-order.html [ Failure ]\n# We paint in an incorrect order when layers are present. Blocked on composite-after-paint.\ncrbug.com/370604 external/wpt/css/css-flexbox/flexbox-paint-ordering-002.xhtml [ Failure ]\n\n# We haven't implemented last baseline alignment.\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-001a.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-001b.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-006.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-007.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-008.xhtml [ Failure ]\n\n# Bad test expectations, but we aren't sure if web compatible yet.\ncrbug.com/1114280 external/wpt/css/css-flexbox/flexbox-min-width-auto-005.html [ Failure ]\ncrbug.com/1114280 external/wpt/css/css-flexbox/flexbox-min-width-auto-006.html [ Failure ]\n\n# [css-lists]\ncrbug.com/1123457 external/wpt/css/css-lists/counter-list-item-2.html [ Failure ]\ncrbug.com/1066577 external/wpt/css/css-lists/li-value-reversed-005.html [ Failure ]\ncrbug.com/1066577 external/wpt/css/css-lists/li-value-reversed-004.html [ Failure ]\n\n# [css-counter-styles-3]\ncrbug.com/1176323 external/wpt/css/css-counter-styles/counter-style-prefix-suffix-syntax.html [ Failure ]\ncrbug.com/1176323 external/wpt/css/css-counter-styles/counter-style-symbols-syntax.html [ Failure ]\ncrbug.com/1218280 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/descriptor-pad.html [ Failure ]\ncrbug.com/1168277 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/disclosure-styles.html [ Failure ]\ncrbug.com/1176315 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/symbols-function.html [ Failure ]\n\n# [css-overflow]\n# Incorrect WPT tests.\ncrbug.com/993813 external/wpt/css/css-overflow/webkit-line-clamp-008.html [ Failure ]\ncrbug.com/993813 [ Mac ] external/wpt/css/css-overflow/webkit-line-clamp-025.html [ Failure ]\ncrbug.com/993813 external/wpt/css/css-overflow/webkit-line-clamp-029.html [ Failure ]\n\n# Lack of support for font-language-override\ncrbug.com/481430 external/wpt/css/css-fonts/font-language-override-01.html [ Failure ]\ncrbug.com/481430 external/wpt/css/css-fonts/font-language-override-02.html [ Failure ]\n\n# Support font-palette\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-3.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-4.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-5.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-6.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-7.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-8.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-9.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-13.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-16.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-17.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-18.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-19.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-22.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-add.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-modify.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-remove.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-add-2.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-add.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-delete.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-delete-2.html [ Timeout ]\n\n# Non standard -webkit-<generic font family name> values are web exposed\ncrbug.com/1065468 [ Mac10.15 ] external/wpt/css/css-fonts/generic-family-keywords-002.html [ Failure Timeout ]\n\n# Comparing variable font rendering to static font rendering fails on systems that use FreeType for variable fonts\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\n# Windows 10 bots are not on high enough a Windows version to render variable fonts in DirectWrite\ncrbug.com/1068947 [ Win10.20h2 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\n# Windows 10 bot upgrade now causes these failures on Windows-10-18363\ncrbug.com/1140324 [ Win10.20h2 ] external/wpt/css/css-text-decor/text-underline-offset-variable.html [ Failure ]\ncrbug.com/1143005 [ Win10.20h2 ] media/track/track-cue-rendering-vertical.html [ Failure ]\n\n# Tentative mansonry tests\ncrbug.com/1076027 external/wpt/css/css-grid/masonry/* [ Skip ]\n\n# external/wpt/css/css-fonts/... tests triaged away from the default WPT bug ID\ncrbug.com/1211460 external/wpt/css/css-fonts/alternates-order.html [ Failure ]\ncrbug.com/1204775 [ Linux ] external/wpt/css/css-fonts/animations/font-stretch-interpolation.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/font-family-name-025.html [ Failure ]\ncrbug.com/443467 external/wpt/css/css-fonts/font-feature-settings-descriptor-01.html [ Failure ]\ncrbug.com/819816 external/wpt/css/css-fonts/font-kerning-03.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-009.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-010.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-011.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-05.xht [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-06.xht [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-02.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-03.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-04.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-05.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-06.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-07.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-08.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-09.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-10.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-11.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-12.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-13.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-14.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-15.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-16.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-17.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-18.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-descriptor-01.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/font-variant-ligatures-11.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position-02.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position-03.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position.html [ Failure ]\ncrbug.com/1240186 [ Mac10.12 ] external/wpt/css/css-fonts/matching/range-descriptor-reversed.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/standard-font-family.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/system-ui-ar.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/system-ui-ur.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ja-vs-zh.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ja.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ur-vs-ar.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-zh.html [ Failure ]\ncrbug.com/1071114 [ Win7 ] external/wpt/css/css-fonts/variations/font-opentype-collections.html [ Timeout ]\n\n# ====== Layout team owned tests to here ======\n\n# ====== LayoutNG-only failures from here ======\n# LayoutNG - is a new layout system for Blink.\n\ncrbug.com/591099 css3/filters/composited-layer-child-bounds-after-composited-to-sw-shadow-change.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/boundary-shaping/boundary-shaping-009.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-009.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-010.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-011.html [ Failure ]\ncrbug.com/591099 fast/backgrounds/quirks-mode-line-box-backgrounds.html [ Failure ]\ncrbug.com/591099 fast/borders/inline-mask-overlay-image-outset-vertical-rl.html [ Failure ]\ncrbug.com/835484 fast/css/outline-narrowLine.html [ Failure ]\ncrbug.com/591099 fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-under.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects-continuation.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects-list-translate.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects.html [ Failure ]\ncrbug.com/889721 fast/inline/outline-continuations.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/font-format-support-color-cff2-vertical.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/whitespace/018.html [ Failure ]\ncrbug.com/591099 fast/writing-mode/auto-sizing-orthogonal-flows.html [ Failure ]\ncrbug.com/591099 fast/writing-mode/percentage-height-orthogonal-writing-modes.html [ Failure ]\ncrbug.com/835484 paint/invalidation/outline/inline-focus.html [ Failure ]\ncrbug.com/591099 paint/invalidation/scroll/fixed-under-composited-fixed-scrolled.html [ Failure ]\n\n# CSS Text failures\ncrbug.com/316409 external/wpt/css/css-text/text-justify/text-justify-and-trailing-spaces-003.html [ Failure ]\ncrbug.com/750990 external/wpt/css/css-text/text-transform/text-transform-upperlower-105.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-026.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-028.html [ Failure ]\ncrbug.com/602434 external/wpt/css/css-text/text-transform/text-transform-tailoring-001.html [ Failure ]\ncrbug.com/750990 external/wpt/css/css-text/text-transform/text-transform-upperlower-006.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-multiple-001.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-033.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-bidi-002.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-nesting-002.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-nesting-001.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-bidi-001.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-end-of-line-001.html [ Failure ]\ncrbug.com/1098801 external/wpt/css/css-text/overflow-wrap/overflow-wrap-normal-keep-all-001.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-012.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-013.html [ Failure ]\ncrbug.com/1219041 external/wpt/css/CSS2/text/white-space-nowrap-attribute-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-collapse-preserve-breaks-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-collapse-discard-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-trim-trim-inner-001.xht [ Failure ]\n\n# LayoutNG ref-tests that need to be updated (cannot be rebaselined).\ncrbug.com/591099 [ Linux ] fast/multicol/newmulticol/hide-box-vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/newmulticol/hide-box-vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/span/vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/span/vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/column-break-with-balancing.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/column-break-with-balancing.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/column-count-with-rules.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/column-rules.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/column-rules.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-avoidance.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-avoidance.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-big-line.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-break.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-break.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-content-break.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-edge.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-paginate.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-paginate.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/nested-columns.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/nested-columns.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/unsplittable-inline-block.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/unsplittable-inline-block.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/ellipsis-with-self-painting-layer.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/file-upload-as-multicol.html [ Failure ]\ncrbug.com/1098801 virtual/text-antialias/whitespace/whitespace-in-pre.html [ Failure ]\n\n# LayoutNG failures that needs to be triaged\ncrbug.com/591099 virtual/text-antialias/selection/selection-rect-line-height-too-small.html [ Failure ]\ncrbug.com/591099 fast/css-intrinsic-dimensions/width-avoid-floats.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/selectors/shadow-host-div-with-span.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/selectors/shadow-host-div-with-span.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/selectors/shadow-host-div-with-text.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/selectors/shadow-host-div-with-text.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/selection/inline-block-in-selection-root.html [ Failure ]\ncrbug.com/591099 editing/selection/paint-hyphen.html [ Failure Pass ]\ncrbug.com/591099 external/wpt/dom/ranges/Range-compareBoundaryPoints.html [ Failure Pass Skip Timeout ]\ncrbug.com/591099 [ Mac ] virtual/text-antialias/international/shape-across-elements-simple.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/international/shape-across-elements-simple.html [ Failure ]\ncrbug.com/591099 [ Mac ] virtual/text-antialias/word-space-monospace.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/word-space-monospace.html [ Failure ]\ncrbug.com/591099 [ Mac ] css2.1/t1202-counter-09-b.html [ Failure ]\ncrbug.com/591099 [ Mac ] css2.1/t1202-counters-09-b.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/CSS2/text/white-space-bidirectionality-001.xht [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-multicol/multicol-span-all-list-item-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-multicol/multicol-span-all-list-item-002.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-002.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-003.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00C.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/word-break/word-break-break-all-004.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-transforms/transform-inline-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-ui/text-overflow-027.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-ui/text-overflow-028.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-embed-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-isolate-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-normal-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-override-006.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-plaintext-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/content-counter-010.htm [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/content/content-quotes-07.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/css-properties-position-relative-as-parent-fixed.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css3-text/css3-text-justify/text-justify-crash.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/forms/text/text-lineheight-centering.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/column-count-with-rules.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-big-line.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-content-break.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-edge.html [ Failure ]\ncrbug.com/591099 [ Mac ] paint/invalidation/box/hover-pseudo-borders.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-auto.html [ Failure ]\ncrbug.com/591099 [ Mac ] paint/invalidation/flexbox/remove-inline-block-descendant-of-flex.html [ Failure ]\n\n# A few other lines for this test are commented out above to avoid conflicting expectations.\n# If they are not also fixed, reinstate them when removing these lines.\ncrbug.com/982211 fast/events/before-unload-return-value-from-listener.html [ Crash Pass Timeout ]\n\n# WPT css-writing-mode tests failing for various reasons beyond simple pixel diffs\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-005.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-003.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-014.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-013.html [ Failure ]\ncrbug.com/717862 [ Mac ] external/wpt/css/css-writing-modes/mongolian-orientation-002.html [ Failure ]\ncrbug.com/717862 external/wpt/css/css-writing-modes/mongolian-orientation-001.html [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vlr-in-htb-008.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vlr-in-htb-020.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vrl-in-htb-008.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vrl-in-htb-020.xht [ Failure ]\n\n### With LayoutNGFragmentItem enabled\ncrbug.com/982194 [ Win7 ] external/wpt/css/css-text/white-space/seg-break-transformation-018.tentative.html [ Failure ]\ncrbug.com/982194 [ Win10.20h2 ] fast/writing-mode/border-image-vertical-lr.html [ Failure Pass ]\n\n### Tests passing with LayoutNGBlockFragmentation enabled:\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/abspos-in-opacity-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/avoid-border-break.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/box-shadow.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/forced-break-at-fragmentainer-start-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow-rl.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-029.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-030.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-032.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-034.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-035.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-036.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-038.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-039.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-040.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-041.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-042.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-043.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-044.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-045.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-046.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-047.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-052.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-054.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-057.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-058.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-059.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-060.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-061.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-062.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-063.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-065.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-066.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-071.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-073.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflowed-block-with-no-room-after-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflowed-block-with-no-room-after-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/relpos-inline-hit-testing.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/relpos-inline.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/ruby-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/trailing-child-margin-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/trailing-child-margin-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-contain/contain-size-monolithic-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-ltr-rtl-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-rtl-ltr-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-rtl-rtl-in-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-ltr-rtl-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-rtl-ltr-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-rtl-rtl-in-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-ltr-rtl-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-rtl-ltr-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-rtl-rtl-in-multicols.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-ltr-rtl-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-rtl-ltr-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-rtl-rtl-in-multicols.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/abspos-containing-block-outside-spanner.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/balance-break-avoidance-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/balance-orphans-widows-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/fixed-in-multicol-with-transform-container.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/hit-test-transformed-child.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-013.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-014.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-list-item-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-list-item-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-013.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-015.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-016.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-017.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-018.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-022.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-023.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-oof-inline-cb-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-oof-inline-cb-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-rule-nested-balancing-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-scroll-content.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-014.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-015.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-017.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-margin-bottom-001.xht [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-001.xht [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/nested-at-outer-boundary-as-fieldset.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/nested-with-too-tall-line.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/non-adjacent-spanners-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/orthogonal-writing-mode-spanner.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-011.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/file-upload-as-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/newmulticol/hide-box-vertical-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/span/vertical-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-break-with-balancing.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-count-with-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-avoidance.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-big-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-content-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-edge.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-paginate.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/nested-columns.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/unsplittable-inline-block.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/column-count-with-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-big-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-content-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-edge.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/nested-columns.html [ Pass ]\n\n### Tests failing with LayoutNGBlockFragmentation enabled:\ncrbug.com/1225630 virtual/layout_ng_block_frag/external/wpt/css/css-multicol/large-actual-column-count.html [ Skip ]\ncrbug.com/1066629 virtual/layout_ng_block_frag/fast/multicol/hit-test-translate-z.html [ Failure ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/infinite-height-causing-fractional-row-height-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/infinitely-tall-content-in-outer-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/insane-column-count-and-padding-nested-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/nested-very-tall-inside-short-crash.html [ Skip ]\ncrbug.com/1242348 virtual/layout_ng_block_frag/fast/multicol/tall-line-in-short-block.html [ Failure ]\n\n# Just skip this for Mac11-arm64. It's super-flaky. Not block fragmentation-related.\ncrbug.com/1262048 [ Mac11-arm64 ] virtual/layout_ng_block_frag/* [ Skip ]\n\n### Tests passing with LayoutNGFlexFragmentation enabled:\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-003.html [ Pass ]\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-004.html [ Pass ]\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-007.tentative.html [ Pass ]\n\n### Tests failing with LayoutNGFlexFragmentation enabled:\ncrbug.com/660611 virtual/layout_ng_flex_frag/fast/multicol/flexbox/doubly-nested-with-zero-width-flexbox-and-forced-break-crash.html [ Skip ]\ncrbug.com/660611 virtual/layout_ng_flex_frag/fast/multicol/flexbox/flexbox.html [ Failure ]\n\n### Tests passing with LayoutNGGridFragmentation enabled:\nvirtual/layout_ng_grid_frag/external/wpt/css/css-break/grid/grid-item-fragmentation-020.html [ Pass ]\n\n### With LayoutNGPrinting enabled:\n\ncrbug.com/1121942 virtual/layout_ng_printing/printing/fixed-positioned-child-repeats-even-when-html-and-body-are-zero-height.html [ Crash Pass ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/fixed-positioned-child-shouldnt-print.html [ Crash Pass ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/frameset.html [ Failure ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/webgl-oversized-printing.html [ Skip ]\n\n### Textarea NG\ncrbug.com/1140307 accessibility/inline-text-textarea.html [ Failure ]\n\n### TablesNG\n# crbug.com/958381\n\n# TODO fails because cell size with only input element is 18px, not 15. line-height: 0px fixes it.\ncrbug.com/1171616 external/wpt/css/css-tables/height-distribution/percentage-sizing-of-table-cell-children.html [ Failure ]\n\n# Composited background painting leaves gaps.\ncrbug.com/958381 fast/table/border-collapsing/composited-cell-collapsed-border.html [ Failure ]\ncrbug.com/958381 fast/table/border-collapsing/composited-row-collapsed-border.html [ Failure ]\n\n# Rowspanned cell overflows TD visible rect.\ncrbug.com/958381 external/wpt/css/css-tables/visibility-collapse-rowspan-005.html [ Failure ]\n\n# Mac failures - antialiasing of ref\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-087.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-088.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-089.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-090.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-091.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-092.xht [ Failure ]\ncrbug.com/958381 [ Mac ] virtual/text-antialias/hyphen-min-preferred-width.html [ Failure ]\ncrbug.com/958381 [ Win ] virtual/text-antialias/hyphen-min-preferred-width.html [ Failure ]\ncrbug.com/958381 [ Mac ] fragmentation/single-line-cells-paginated-with-text.html [ Failure ]\n\n# TablesNG ends\n\n# ====== LayoutNG-only failures until here ======\n\n# ====== MathMLCore-only tests from here ======\n\n# These tests fail because we don't support MathML ink metrics.\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-001.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-002.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-003.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-004.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-005.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-006.html [ Failure ]\n\n# This test fail because we don't properly center elements in MathML tables.\ncrbug.com/1125111 external/wpt/mathml/presentation-markup/tables/table-003.html [ Failure ]\n\n# These tests fail because some CSS properties affect MathML layout.\ncrbug.com/1227601 external/wpt/mathml/relations/css-styling/ignored-properties-001.html [ Failure Timeout ]\ncrbug.com/1227598 external/wpt/mathml/relations/css-styling/width-height-001.html [ Failure ]\n\n# This test has flaky timeout.\ncrbug.com/1093840 external/wpt/mathml/relations/html5-tree/math-global-event-handlers.tentative.html [ Pass Timeout ]\n\n# These tests fail because we don't parse math display values according to the spec.\ncrbug.com/1127222 external/wpt/mathml/presentation-markup/mrow/legacy-mrow-like-elements-001.html [ Failure ]\n\n# This test fails on windows. It should really be made more reliable and take\n# into account fallback parameters.\ncrbug.com/6606 [ Win ] external/wpt/mathml/presentation-markup/fractions/frac-1.html [ Failure ]\n\n# Tests failing only on certain platforms.\ncrbug.com/6606 [ Win ] external/wpt/mathml/presentation-markup/operators/mo-axis-height-1.html [ Failure ]\ncrbug.com/6606 [ Mac ] external/wpt/mathml/relations/text-and-math/use-typo-metrics-1.html [ Failure ]\n\n# These tests fail because we don't support the MathML href attribute, which is\n# not part of MathML Core Level 1.\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-1.html [ Failure ]\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-2.html [ Failure ]\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-3.html [ Failure ]\n\n# These tests fail because they require full support for new text-transform\n# values and mathvariant attribute. Currently, we only support the new\n# text-transform: auto, use the UA rule for the <mi> element and map\n# mathvariant=\"normal\" to \"text-transform: none\".\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-fraktur-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-sans-serif-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-script-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-double-struck-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-fraktur-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-initial-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-looped-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-monospace-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-bold-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-script-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-stretched-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-tailed-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-fraktur.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-sans-serif.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-script.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-case-sensitivity.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-double-struck.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-fraktur.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-initial.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-looped.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-monospace.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif-bold-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-script.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-stretched.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-tailed.html [ Failure ]\n\n# ====== Style team owned tests from here ======\n\ncrbug.com/753671 external/wpt/css/css-content/quotes-001.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.15 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac11 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac ] external/wpt/css/css-content/quotes-009.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-013.html [ Failure ]\ncrbug.com/753671 [ Mac ] external/wpt/css/css-content/quotes-014.html [ Failure ]\ncrbug.com/753671 [ Mac10.15 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/753671 [ Mac11 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-021.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-022.html [ Failure ]\n\ncrbug.com/995106 external/wpt/css/css-lists/inline-block-list.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-block-list-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list-with-table-child.html [ Failure ]\ncrbug.com/1012289 external/wpt/css/css-lists/list-style-type-string-005b.html [ Failure ]\n\n# css-pseudo\ncrbug.com/1163437 external/wpt/css/css-pseudo/grammar-spelling-errors-001.html [ Failure ]\ncrbug.com/1163437 external/wpt/css/css-pseudo/grammar-spelling-errors-002.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-001.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-002.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-003.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-004.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-pseudo/first-letter-exclude-inline-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-pseudo/first-letter-exclude-inline-child-marker.html [ Failure ]\ncrbug.com/1172333 external/wpt/css/css-pseudo/first-letter-digraph.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-001.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-004.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-001.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-004.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/target-text-004.html [ Failure ]\ncrbug.com/1179938 external/wpt/css/css-pseudo/target-text-006.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-001.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-002.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-003.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-004.html [ Failure ]\n\ncrbug.com/1205953 external/wpt/css/css-will-change/will-change-fixpos-cb-position-1.html [ Failure ]\ncrbug.com/1207788 external/wpt/css/css-will-change/will-change-stacking-context-mask-1.html [ Failure ]\n\n# color() function not implemented\ncrbug.com/1068610 external/wpt/css/css-color/predefined-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-011.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-007.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-012.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-016.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-006.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-009.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-010.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/lab-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/lch-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-005.html [ Failure ]\n\n# @supports\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-040.xht [ Failure ]\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-041.xht [ Failure ]\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-042.xht [ Failure ]\n\n# @container\n# The container-queries/ tests are only valid when the runtime flag\n# CSSContainerQueries is enabled.\n#\n# The css-contain/ tests are only valid when the runtime flag CSSContainSize1D\n# is enabled.\n#\n# Both these flags are enabled in virtual/container-queries/\ncrbug.com/1145970 wpt_internal/css/css-conditional/container-queries/* [ Skip ]\ncrbug.com/1146092 wpt_internal/css/css-contain/* [ Skip ]\ncrbug.com/1145970 virtual/container-queries/* [ Pass ]\ncrbug.com/1249468 virtual/container-queries/wpt_internal/css/css-conditional/container-queries/block-size-and-min-height.html [ Failure ]\ncrbug.com/829028 virtual/container-queries/wpt_internal/css/css-contain/multicol-block-size.html [ Failure ]\ncrbug.com/829028 virtual/container-queries/wpt_internal/css/css-contain/multicol-inline-size.html [ Failure ]\n\n# CSS Scrollbars\ncrbug.com/891944 external/wpt/css/css-scrollbars/textarea-scrollbar-width-none.html [ Failure ]\ncrbug.com/891944 external/wpt/css/css-scrollbars/transparent-on-root.html [ Failure ]\n# Incorrect native scrollbar repaint\ncrbug.com/891944 [ Mac ] external/wpt/css/css-scrollbars/scrollbar-width-paint-001.html [ Failure ]\n\n# css-variables\n\ncrbug.com/1220145 external/wpt/css/css-variables/variable-declaration-29.html [ Failure ]\ncrbug.com/1220145 external/wpt/css/css-variables/variable-supports-58.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-declaration-07.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-declaration-09.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-reference-06.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-reference-11.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-05.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-07.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-37.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-39.html [ Failure ]\ncrbug.com/1220149 external/wpt/css/css-variables/variable-supports-57.html [ Failure ]\n\n# css-nesting\ncrbug.com/1095675 external/wpt/css/selectors/nesting.html [ Failure ]\n\n# ====== Style team owned tests to here ======\n\n# Failing WPT html/semantics/* tests. Not all have been investigated.\ncrbug.com/1233659 external/wpt/html/semantics/embedded-content/the-embed-element/embed-represent-nothing-04.html [ Failure ]\ncrbug.com/1234202 external/wpt/html/semantics/embedded-content/the-video-element/video_initially_paused.html [ Failure ]\ncrbug.com/1234841 external/wpt/html/semantics/grouping-content/the-li-element/grouping-li-reftest-list-owner-menu.html [ Failure ]\ncrbug.com/1234841 external/wpt/html/semantics/grouping-content/the-li-element/grouping-li-reftest-list-owner-skip-no-boxes.html [ Failure ]\ncrbug.com/1167095 external/wpt/html/semantics/forms/form-submission-0/text-plain.window.html [ Pass Timeout ]\ncrbug.com/853146 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_allow_top_navigation-1.html [ Timeout ]\ncrbug.com/853146 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_allow_top_navigation-3.html [ Timeout ]\ncrbug.com/1132413 external/wpt/html/semantics/scripting-1/the-script-element/json-module/parse-error.html [ Timeout ]\ncrbug.com/1232504 external/wpt/html/semantics/embedded-content/media-elements/src_object_blob.html [ Timeout ]\ncrbug.com/1232504 [ Win ] external/wpt/html/semantics/embedded-content/media-elements/ready-states/autoplay-hidden.optional.html [ Timeout ]\ncrbug.com/1234199 [ Linux ] external/wpt/html/semantics/embedded-content/the-object-element/object-events.html [ Skip ]\ncrbug.com/1234199 [ Mac ] external/wpt/html/semantics/embedded-content/the-object-element/object-events.html [ Skip ]\ncrbug.com/1232504 [ Mac11 ] external/wpt/html/semantics/embedded-content/media-elements/interfaces/TextTrackCue/endTime.html [ Failure Timeout ]\ncrbug.com/1232504 [ Mac11 ] external/wpt/html/semantics/embedded-content/media-elements/preserves-pitch.html [ Timeout ]\n\n# XML nodes aren't match by .class selectors:\ncrbug.com/649444 external/wpt/css/selectors/xml-class-selector.xml [ Failure ]\n\n# Bug in <select multiple> tap behavior:\ncrbug.com/1045672 fast/forms/select/listbox-tap.html [ Failure ]\n\n### sheriff 2019-07-16\ncrbug.com/983799 [ Win ] http/tests/navigation/redirect-on-back-updates-history-item.html [ Pass Timeout ]\n\n### sheriff 2018-05-28\n\ncrbug.com/767269 [ Win ] inspector-protocol/layout-fonts/cjk-ideograph-fallback-by-lang.js [ Failure Pass ]\n\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile-blink-gc.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile-blink-gc.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile-partition-alloc.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile-partition-alloc.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-snapshot.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-snapshot.js [ Skip ]\n\n# For win10, see crbug.com/955109\ncrbug.com/538697 [ Win ] printing/webgl-oversized-printing.html [ Crash Failure ]\n\ncrbug.com/904592 css3/filters/backdrop-filter-svg.html [ Failure ]\ncrbug.com/904592 [ Linux ] virtual/scalefactor200/css3/filters/backdrop-filter-svg.html [ Pass ]\ncrbug.com/904592 [ Win ] virtual/scalefactor200/css3/filters/backdrop-filter-svg.html [ Pass ]\n\ncrbug.com/280342 http/tests/media/progress-events-generated-correctly.html [ Failure Pass ]\n\ncrbug.com/520736 [ Win7 ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\ncrbug.com/520736 [ Linux ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\ncrbug.com/909095 [ Mac ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\n\n# Hiding video::-webkit-media-controls breaks --force-overlay-fullscreen-video.\ncrbug.com/1093447 virtual/android/fullscreen/rendering/backdrop-video.html [ Failure ]\n\n# gpuBenchmarking.pinchBy is busted on desktops for touchscreen pinch\ncrbug.com/787615 [ Win ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Failure Pass ]\ncrbug.com/787615 [ Win ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Failure Pass ]\ncrbug.com/787615 [ Linux ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Failure Pass ]\n\n# gpuBenchmarking.pinchBy is not implemented on Mac for touchscreen pinch\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-out-slow.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow-desktop.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-desktop.html [ Skip ]\n\ncrbug.com/520188 [ Win ] http/tests/local/fileapi/file-last-modified-after-delete.html [ Failure Pass ]\ncrbug.com/520611 [ Debug ] fast/filesystem/workers/file-writer-events-shared-worker.html [ Failure Pass ]\ncrbug.com/520194 http/tests/xmlhttprequest/timeout/xmlhttprequest-timeout-worker-overridesexpires.html [ Failure Pass ]\n\ncrbug.com/892032 fast/events/wheel/wheel-latched-scroll-node-removed.html [ Failure Pass ]\n\ncrbug.com/1051136 fast/forms/select/listbox-overlay-scrollbar.html [ Failure ]\n\n# These performance-sensitive user-timing tests are flaky in debug on all platforms, and flaky on all configurations of windows.\n# See: crbug.com/567965, crbug.com/518992, and crbug.com/518993\n\ncrbug.com/432129 html/marquee/marquee-scroll.html [ Failure Pass ]\ncrbug.com/326139 crbug.com/390125 media/video-frame-accurate-seek.html [ Failure Pass ]\ncrbug.com/421283 html/marquee/marquee-scrollamount.html [ Failure Pass ]\n\n# TODO(oshima): Mac Android are currently not supported.\ncrbug.com/567837 [ Mac ] virtual/scalefactor200withzoom/fast/hidpi/static/* [ Skip ]\n\n# TODO(oshima): Move the event scaling code to eventSender and remove this.\ncrbug.com/567837 virtual/scalefactor200/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 virtual/scalefactor200/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 virtual/scalefactor200withzoom/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/mousewheel-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/mousewheel-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\n\n# TODO(ojan): These tests aren't flaky. See crbug.com/517144.\n# Release trybots run asserts, but the main waterfall ones don't. So, even\n# though this is a non-flaky assert failure, we need to mark it [ Pass Crash ].\ncrbug.com/389648 crbug.com/517123 crbug.com/410145 fast/text-autosizing/table-inflation-crash.html [ Crash Pass Timeout ]\n\ncrbug.com/876732 [ Win ] fast/dom/HTMLImageElement/image-srcset-w-onerror.html [ Failure Pass ]\n\n# Only virtual/threaded version of these tests pass (or running them with --enable-threaded-compositing).\ncrbug.com/936891 fast/scrolling/document-level-touchmove-event-listener-passive-by-default.html [ Failure ]\ncrbug.com/936891 virtual/threaded-prefer-compositing/fast/scrolling/document-level-touchmove-event-listener-passive-by-default.html [ Pass ]\n\ncrbug.com/498539 http/tests/devtools/tracing/timeline-misc/timeline-bound-function.js [ Failure Pass ]\n\ncrbug.com/498539 crbug.com/794869 crbug.com/798548 crbug.com/946716 http/tests/devtools/elements/styles-4/styles-update-from-js.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/889952 fast/selectors/selection-window-inactive.html [ Failure Pass ]\n\ncrbug.com/731731 inspector-protocol/layers/paint-profiler-load-empty.js [ Failure Pass ]\ncrbug.com/1107923 inspector-protocol/debugger/wasm-streaming-url.js [ Failure Pass Timeout ]\n\n# Script let/const redeclaration errors\ncrbug.com/1042162 http/tests/inspector-protocol/console/console-let-const-with-api.js [ Failure Pass ]\n\n# Will be re-enabled and rebaselined once we remove the '--enable-file-cookies' flag.\ncrbug.com/470482 fast/cookies/local-file-can-set-cookies.html [ Skip ]\n\n# Text::inDocument() returns false but should not.\ncrbug.com/264138 dom/legacy_dom_conformance/xhtml/level3/core/nodecomparedocumentposition38.xhtml [ Failure ]\n\ncrbug.com/411164 [ Win ] http/tests/security/powerfulFeatureRestrictions/serviceworker-on-insecure-origin.html [ Pass ]\n\ncrbug.com/686118 http/tests/security/setDomainRelaxationForbiddenForURLScheme.html [ Crash Pass ]\n\n# Flaky tests on Mac after enabling scroll animations in web_tests\ncrbug.com/944583 [ Mac ] fast/events/keyboard-scroll-by-page.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-xy-in-scrolling-div.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-xy-in-scrolling-page.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/space-scroll-textinput-canceled.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/scrolling/percentage-mousewheel-scroll-on-iframe.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/scrolling/percentage-mousewheel-scroll.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-x-in-scrolling-page.html [ Failure Pass Timeout ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-y-in-scrolling-page.html [ Failure Pass Timeout ]\n# Sheriff: 2020-05-18\ncrbug.com/1083820 [ Mac ] fast/scrolling/document-level-wheel-event-listener-passive-by-default.html [ Failure Pass ]\n\n# In external/wpt/html/, we prefer checking in failure\n# expectation files. The following tests with [ Failure ] don't have failure\n# expectation files because they contain local path names.\n# Use crbug.com/490511 for untriaged failures.\ncrbug.com/749492 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/009.html [ Skip ]\ncrbug.com/490511 external/wpt/html/browsers/offline/application-cache-api/api_update.https.html [ Failure Pass ]\ncrbug.com/108417 external/wpt/html/rendering/non-replaced-elements/tables/table-border-1.html [ Failure ]\ncrbug.com/490511 external/wpt/html/rendering/non-replaced-elements/the-hr-element-0/color.html [ Failure ]\ncrbug.com/490511 external/wpt/html/rendering/non-replaced-elements/the-hr-element-0/width.html [ Failure ]\ncrbug.com/692560 external/wpt/html/semantics/document-metadata/styling/LinkStyle.html [ Failure Pass ]\n\ncrbug.com/860211 [ Mac ] external/wpt/editing/run/delete.html [ Failure ]\n\ncrbug.com/821455 editing/pasteboard/drag-files-to-editable-element.html [ Failure ]\n\ncrbug.com/1170052 external/wpt/mediacapture-streams/MediaStreamTrack-MediaElement-disabled-audio-is-silence.https.html [ Pass Timeout ]\ncrbug.com/1174937 virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-clone.https.html [ Crash ]\ncrbug.com/1174937 external/wpt/mediacapture-streams/MediaStream-clone.https.html [ Crash ]\n\ncrbug.com/766135 fast/dom/Window/redirect-with-timer.html [ Pass Timeout ]\n\n# Ref tests that needs investigation.\ncrbug.com/404597 fast/forms/long-text-in-input.html [ Skip ]\ncrbug.com/552494 virtual/prefer_compositing_to_lcd_text/scrollbars/overflow-scrollbar-combinations.html [ Failure Pass ]\n\ncrbug.com/305376 external/wpt/css/css-overflow/webkit-line-clamp-018.html [ Failure ]\ncrbug.com/305376 external/wpt/css/css-overflow/webkit-line-clamp-024.html [ Failure ]\n\ncrbug.com/745905 external/wpt/css/css-ui/text-overflow-021.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-rtl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-lr-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-lr-rtl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-rl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-rl-rtl-001.html [ Failure ]\n\ncrbug.com/1067031 external/wpt/css/css-overflow/webkit-line-clamp-035.html [ Failure ]\n\ncrbug.com/424365 external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-024.html [ Failure ]\ncrbug.com/441840 [ Win ] external/wpt/css/css-shapes/shape-outside/values/shape-margin-001.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-circle-004.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-circle-005.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-ellipse-004.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-ellipse-005.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-inset-003.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-polygon-004.html [ Failure ]\ncrbug.com/441840 [ Win ] external/wpt/css/css-shapes/shape-outside/values/shape-outside-shape-arguments-000.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-008.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-006.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-005.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-016.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-013.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-011.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-014.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-012.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-015.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-010.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-009.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-043.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-048.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-023.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-027.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-022.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-008.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/polygon/shape-outside-polygon-024.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-011.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-046.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-052.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-051.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-010.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-026.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-012.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-049.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-047.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-009.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-053.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-050.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-006.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-037.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/polygon/shape-outside-polygon-025.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-007.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-005.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-007.html [ Failure ]\n\ncrbug.com/1024331 external/wpt/css/css-text/hyphens/hyphens-out-of-flow-001.html [ Failure ]\ncrbug.com/1024331 external/wpt/css/css-text/hyphens/hyphens-out-of-flow-002.html [ Failure ]\ncrbug.com/1140728 external/wpt/css/css-text/hyphens/hyphens-span-002.html [ Failure ]\ncrbug.com/1139693 virtual/text-antialias/hyphens/midword-break-priority.html [ Failure ]\n\ncrbug.com/1250257 external/wpt/css/css-text/tab-size/tab-size-block-ancestor.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-001.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-002.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-003.html [ Failure ]\ncrbug.com/970200 external/wpt/css/css-text/text-indent/text-indent-tab-positions-001.html [ Failure ]\ncrbug.com/1030452 external/wpt/css/css-text/text-transform/text-transform-upperlower-016.html [ Failure ]\n\ncrbug.com/1008029 [ Mac ] external/wpt/css/css-text/white-space/pre-wrap-018.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-019.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/textarea-pre-wrap-012.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/textarea-pre-wrap-013.html [ Failure ]\n\n# Handling of trailing other space separator\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-001.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-002.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-003.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-004.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-ideographic-space-001.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-ideographic-space-002.html [ Failure ]\n\ncrbug.com/1162836 external/wpt/css/css-text/white-space/full-width-leading-spaces-004.html [ Failure ]\n\n# Follow up the spec change for U+2010, U+2013\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-loose-hyphens-001.html [ Failure ]\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-normal-hyphens-002.html [ Failure ]\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-strict-hyphens-002.html [ Failure ]\n\n# Inseparable characters\ncrbug.com/1091631 external/wpt/css/css-text/line-break/line-break-normal-015a.xht [ Failure ]\ncrbug.com/1091631 external/wpt/css/css-text/line-break/line-break-strict-015a.xht [ Failure ]\n\n# Link event firing\ncrbug.com/922618 external/wpt/html/semantics/document-metadata/the-link-element/link-multiple-error-events.html [ Timeout ]\ncrbug.com/922618 external/wpt/html/semantics/document-metadata/the-link-element/link-multiple-load-events.html [ Timeout ]\n\n# crbug.com/1095379: These are flaky-slow, but are already present in SlowTests\ncrbug.com/73609 http/tests/media/video-play-stall.html [ Pass Skip Timeout ]\ncrbug.com/518987 http/tests/xmlhttprequest/navigation-abort-detaches-frame.html [ Pass Skip Timeout ]\ncrbug.com/538717 [ Win ] http/tests/permissions/chromium/test-request-worker.html [ Pass Skip Timeout ]\ncrbug.com/802029 [ Debug Mac10.13 ] fast/dom/shadow/focus-controller-recursion-crash.html [ Pass Skip Timeout ]\ncrbug.com/829740 fast/history/history-back-twice-with-subframes-assert.html [ Pass Skip Timeout ]\ncrbug.com/836783 fast/peerconnection/RTCRtpSender-setParameters.html [ Pass Skip Timeout ]\n\n# crbug.com/1218715 This fails when PartitionConnectionsByNetworkIsolationKey is enabled.\ncrbug.com/1218715 external/wpt/content-security-policy/reporting-api/reporting-api-works-on-frame-ancestors.https.sub.html [ Failure ]\n\n# Sheriff 2021-05-25\ncrbug.com/1209900 fast/peerconnection/RTCPeerConnection-reload-sctptransport.html [ Failure Pass ]\n\ncrbug.com/846981 fast/webgl/texImage-imageBitmap-from-imageData-resize.html [ Pass Skip Timeout ]\n\n# crbug.com/1095379: These fail with a timeout, even when they're given extra time (via SlowTests)\ncrbug.com/846656 external/wpt/css/selectors/focus-visible-002.html [ Pass Skip Timeout ]\ncrbug.com/1135405 http/tests/devtools/sources/debugger-pause/debugger-pause-infinite-loop.js [ Pass Skip Timeout ]\ncrbug.com/1018064 [ Mac ] virtual/threaded/http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-end-to-end.js [ Pass Skip Timeout ]\ncrbug.com/1034789 [ Mac ] http/tests/security/frameNavigation/xss-ALLOWED-parent-navigation-change-async.html [ Pass Timeout ]\ncrbug.com/1105957 [ Debug Linux ] fast/dom/cssTarget-crash.html [ Pass Timeout ]\ncrbug.com/915903 http/tests/security/inactive-document-with-empty-security-origin.html [ Pass Timeout ]\ncrbug.com/1146221 [ Linux ] http/tests/devtools/sources/debugger-ui/debugger-inline-values.js [ Pass Skip Timeout ]\ncrbug.com/1146221 [ Mac11-arm64 ] http/tests/devtools/sources/debugger-ui/debugger-inline-values.js [ Pass Skip Timeout ]\ncrbug.com/987138 [ Linux ] media/controls/doubletap-to-jump-forwards.html [ Pass Timeout ]\ncrbug.com/987138 [ Win ] media/controls/doubletap-to-jump-forwards.html [ Pass Timeout ]\ncrbug.com/1122742 http/tests/devtools/sources/debugger/source-frame-inline-breakpoint-decorations.js [ Pass Skip Timeout ]\ncrbug.com/867532 [ Linux ] http/tests/workers/worker-usecounter.html [ Pass Timeout ]\ncrbug.com/1002377 external/wpt/service-workers/service-worker/update-bytecheck.https.html [ Pass Skip Timeout ]\ncrbug.com/1002377 external/wpt/service-workers/service-worker/update-bytecheck-cors-import.https.html [ Pass Skip Timeout ]\ncrbug.com/805756 external/wpt/html/semantics/tabular-data/processing-model-1/span-limits.html [ Pass Skip Timeout ]\n\n# crbug.com/1218716: These fail when TrustTokenOriginTrial is enabled.\ncrbug.com/1218716 external/wpt/trust-tokens/trust-token-parameter-validation-xhr.tentative.https.html [ Failure ]\ncrbug.com/1218716 external/wpt/trust-tokens/trust-token-parameter-validation.tentative.https.html [ Failure ]\ncrbug.com/1218716 external/wpt/feature-policy/experimental-features/trust-token-redemption-default-feature-policy.tentative.https.sub.html [ Failure ]\ncrbug.com/1218716 external/wpt/feature-policy/experimental-features/trust-token-redemption-supported-by-feature-policy.tentative.html [ Failure ]\ncrbug.com/1218716 external/wpt/permissions-policy/experimental-features/trust-token-redemption-default-permissions-policy.tentative.https.sub.html [ Failure ]\ncrbug.com/1218716 external/wpt/permissions-policy/experimental-features/trust-token-redemption-supported-by-permissions-policy.tentative.html [ Failure ]\n\n# crbug.com/1095379: These three time out 100% of the time across all platforms:\ncrbug.com/919789 images/image-click-scale-restore-zoomed-image.html [ Timeout ]\ncrbug.com/919789 images/image-zoom-to-25.html [ Timeout ]\ncrbug.com/919789 images/image-zoom-to-500.html [ Timeout ]\n\n# Sheriff 2020-02-06\n# Flaking on Linux Leak\ncrbug.com/1049599 [ Linux ] virtual/threaded-prefer-compositing/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-08-19\ncrbug.com/626703 [ Win7 ] external/wpt/html/dom/documents/resource-metadata-management/document-lastModified-01.html [ Failure ]\n\n# These are added to W3CImportExpectations as Skip, remove when next import is done.\ncrbug.com/666657 external/wpt/css/css-text/hanging-punctuation/* [ Skip ]\n\ncrbug.com/909597 external/wpt/css/css-ui/text-overflow-ruby.html [ Failure ]\n\ncrbug.com/1005518 external/wpt/css/css-writing-modes/direction-upright-001.html [ Failure ]\ncrbug.com/1005518 external/wpt/css/css-writing-modes/direction-upright-002.html [ Failure ]\n\n# crbug.com/1218721: These tests fail when libvpx_for_vp8 is enabled.\ncrbug.com/1218721 fast/borders/border-radius-mask-video-shadow.html [ Failure ]\ncrbug.com/1218721 fast/borders/border-radius-mask-video.html [ Failure ]\ncrbug.com/1218721 [ Mac ] http/tests/media/video-frame-size-change.html [ Failure ]\n\ncrbug.com/637055 fast/css/outline-offset-large.html [ Skip ]\n\n# Either \"combo\" or split should run: http://testthewebforward.org/docs/css-naming.html\ncrbug.com/410320 external/wpt/css/css-writing-modes/orthogonal-parent-shrink-to-fit-001.html [ Skip ]\n\n# These tests pass but images do not match because of wrong half-leading in vertical-lr\n\n# These tests pass but images do not match because of position: absolute in vertical flow bug\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-003.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-005.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-007.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-009.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-002.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-004.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-006.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-008.xht [ Failure ]\n\n# These tests pass but images do not match because tests are stricter than the spec.\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-001.html [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-002.html [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-003.html [ Failure ]\n\n# We're experimenting with changing the behavior of the 'nonce' attribute\n\n# These CSS Writing Modes Level 3 tests pass but causes 1px diff on images, notified to the submitter.\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vlr-008.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vlr-020.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vrl-008.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vrl-020.xht [ Failure ]\n\ncrbug.com/381684 [ Mac ] fonts/family-fallback-gardiner.html [ Skip ]\ncrbug.com/381684 [ Win ] fonts/family-fallback-gardiner.html [ Skip ]\n\ncrbug.com/377696 printing/setPrinting.html [ Failure ]\n\ncrbug.com/1204498 external/wpt/service-workers/service-worker/client-navigate.https.html [ Failure Pass ]\ncrbug.com/1223681 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/client-navigate.https.html [ Failure Pass Skip Timeout ]\n\n# crbug.com/1218723 This test fails when SplitCacheByNetworkIsolationKey is enabled.\ncrbug.com/1218723 http/tests/devtools/network/network-prefetch.js [ Failure ]\n\n# Method needs to be renamed.\ncrbug.com/1253323 http/tests/devtools/network/network-persistence-filename-safety.js [ Skip ]\n\n# No support for WPT print-reftests:\ncrbug.com/1090628 external/wpt/infrastructure/reftest/reftest_match-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/infrastructure/reftest/reftest_match_fail-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-after-2-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-before-2-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-after-1-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-before-1-print.html [ Failure ]\n\ncrbug.com/1051044 external/wpt/css/filter-effects/effect-reference-feimage-001.html [ Failure Pass ]\ncrbug.com/1051044 external/wpt/css/filter-effects/effect-reference-feimage-003.html [ Failure Pass ]\n\ncrbug.com/524160 [ Debug ] http/tests/media/media-source/stream_memory_tests/mediasource-appendbuffer-quota-exceeded-default-buffers.html [ Timeout ]\n\n# On these platforms (all but Android) media tests don't currently use gpu-accelerated (proprietary) codecs, so no\n# benefit to running them again with gpu acceleration enabled.\ncrbug.com/555703 [ Linux ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Mac ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Win ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Fuchsia ] virtual/media-gpu-accelerated/* [ Skip ]\n\ncrbug.com/467477 fast/multicol/vertical-rl/nested-columns.html [ Failure ]\ncrbug.com/1262980 fast/multicol/infinitely-tall-content-in-outer-crash.html [ Pass Timeout ]\n\ncrbug.com/400841 media/video-canvas-draw.html [ Failure ]\n\n# switching to apache-win32: needs triaging.\ncrbug.com/528062 [ Win ] http/tests/css/missing-repaint-after-slow-style-sheet.pl [ Failure ]\ncrbug.com/528062 [ Win ] http/tests/local/blob/send-data-blob.html [ Failure Timeout ]\ncrbug.com/528062 [ Win ] http/tests/local/blob/send-hybrid-blob.html [ Failure Timeout ]\ncrbug.com/528062 [ Win ] http/tests/security/XFrameOptions/x-frame-options-cached.html [ Failure ]\ncrbug.com/528062 [ Win ] http/tests/security/contentSecurityPolicy/cached-frame-csp.html [ Failure ]\n\n# When drawing subpixel smoothed glyphs, CoreGraphics will fake bold the glyphs.\n# In this configuration, the pixel smoothed glyphs will be created from subpixel smoothed glyphs.\n# This means that CoreGraphics may draw outside the reported glyph bounds, and in this case does.\n# By about a quarter or less of a pixel.\ncrbug.com/997202 [ Mac ] virtual/text-antialias/international/bdo-bidi-width.html [ Failure ]\n\ncrbug.com/574283 [ Mac ] fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-anchors.html [ Skip ]\ncrbug.com/574283 [ Mac ] virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/fixed-background-in-iframe.html [ Skip ]\ncrbug.com/574283 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/main-thread-scrolling-reason-correctness.html [ Skip ]\ncrbug.com/574283 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/mousewheel-scroll-interrupted.html [ Skip ]\n\ncrbug.com/599670 [ Win ] http/tests/devtools/resource-parameters-ipv6.js [ Crash Failure Pass ]\ncrbug.com/472330 fast/borders/border-image-outset-split-inline-vertical-lr.html [ Failure ]\ncrbug.com/472330 fast/writing-mode/box-shadow-vertical-lr.html [ Failure ]\ncrbug.com/472330 fast/writing-mode/box-shadow-vertical-rl.html [ Failure ]\n\ncrbug.com/346473 fast/events/drag-on-mouse-move-cancelled.html [ Failure ]\n\n# These tests are skipped as there is no touch support on Mac.\ncrbug.com/613672 [ Mac ] fast/events/pointerevents/multi-pointer-event-in-slop-region.html [ Skip ]\n\n# In addition to having no support on Mac, the following test times out\n# regularly on Windows.\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scroll.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scroll-by-page.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-touchpad-fling.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-touchscreen-fling.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-mainframe.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-noscroll-body-xhidden.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-noscroll-body-yhidden.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div-past-extent-diagonally.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div-zoomed.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-iframe-editable.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-iframe.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-input-field.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page-past-extent.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page-zoomed.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page.html [ Skip ]\n\n# Since there is no compositor thread when running tests then there is no main thread event queue. Hence the\n# logic for this test will be skipped when running Layout tests.\ncrbug.com/770028 external/wpt/pointerevents/pointerlock/pointerevent_getPredictedEvents_when_pointerlocked-manual.html [ Skip ]\ncrbug.com/770028 external/wpt/pointerevents/pointerevent_predicted_events_attributes-manual.html [ Skip ]\n\n# crbug.com/1218729 These tests fail when InterestCohortAPIOriginTrial is enabled.\ncrbug.com/1218729 http/tests/origin_trials/webexposed/interest-cohort-origin-trial-interfaces.html [ Failure ]\ncrbug.com/1218729 virtual/stable/webexposed/feature-policy-features.html [ Failure ]\n\n# This test relies on racy should_send_resource_timing_info_to_parent() flag being sent between processes.\ncrbug.com/957181 external/wpt/resource-timing/nested-context-navigations-iframe.html [ Failure Pass ]\n\n# During work on crbug.com/1171767, we discovered a bug demonstrable through\n# WPT. Marking as a failing test until we update our implementation.\ncrbug.com/1223118 external/wpt/resource-timing/initiator-type/link.html [ Failure ]\n\n# Chrome touch-action computation ignores div transforms.\ncrbug.com/715148 external/wpt/pointerevents/pointerevent_touch-action-rotated-divs_touch-manual.html [ Skip ]\n\ncrbug.com/654999 [ Win ] fast/forms/color/color-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\ncrbug.com/654999 [ Linux ] fast/forms/color/color-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\n\ncrbug.com/658304 [ Win ] fast/forms/select/input-select-after-resize.html [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-001.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-002.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-003.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-004.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-005.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-005a.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-006.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-006a.html [ Failure ]\n\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-11.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-12.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-13.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-14.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-15.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-16.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-19.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-20.html [ Failure ]\n\ncrbug.com/1058772 external/wpt/css/css-fonts/test-synthetic-italic-2.html [ Failure ]\ncrbug.com/1058772 external/wpt/css/css-fonts/test-synthetic-italic-3.html [ Failure ]\n\ncrbug.com/1191718 external/wpt/css/css-text-decor/text-decoration-thickness-percent-001.html [ Failure ]\n\ncrbug.com/752449 [ Mac10.14 ] external/wpt/css/css-fonts/matching/fixed-stretch-style-over-weight.html [ Failure ]\ncrbug.com/752449 [ Mac10.12 ] external/wpt/css/css-fonts/matching/stretch-distance-over-weight-distance.html [ Failure ]\ncrbug.com/752449 [ Mac10.12 ] external/wpt/css/css-fonts/matching/style-ranges-over-weight-direction.html [ Failure ]\n\ncrbug.com/1191718 external/wpt/css/css-fonts/size-adjust-text-decoration.tentative.html [ Failure ]\n\n# CSS Font Feature Resolution is not implemented yet\ncrbug.com/450619 external/wpt/css/css-fonts/font-feature-resolution-001.html [ Failure ]\ncrbug.com/450619 external/wpt/css/css-fonts/font-feature-resolution-002.html [ Failure ]\n\n# CSS Forced Color Adjust preserve-parent-color is not implemented yet\ncrbug.com/1242706 external/wpt/css/css-forced-color-adjust/parsing/forced-color-adjust-computed.html [ Failure ]\ncrbug.com/1242706 external/wpt/css/css-forced-color-adjust/parsing/forced-color-adjust-valid.html [ Failure ]\n\n# These need a rebaseline due crbug.com/504745 on Windows when they are activated again.\ncrbug.com/521124 crbug.com/410145 [ Win7 ] fast/css/font-weight-1.html [ Failure Pass ]\n\n# Disabled briefly until test runner support lands.\ncrbug.com/479533 accessibility/show-context-menu.html [ Skip ]\ncrbug.com/479533 accessibility/show-context-menu-shadowdom.html [ Skip ]\ncrbug.com/483653 accessibility/scroll-containers.html [ Skip ]\n\n# Temporarily disabled until document marker serialization is enabled for AXInlineTextBox\ncrbug.com/1227485 accessibility/spelling-markers.html [ Failure ]\n\n# Bugs caused by enabling DMSAA on OOPR-Canvas\ncrbug.com/1229463 [ Mac ] virtual/oopr-canvas2d/fast/canvas/canvas-largedraws.html [ Crash ]\ncrbug.com/1229486 virtual/oopr-canvas2d/fast/canvas/canvas-incremental-repaint.html [ Failure ]\n\n# Temporarily disabled after chromium change\ncrbug.com/492511 [ Mac ] virtual/text-antialias/atsui-negative-spacing-features.html [ Failure ]\ncrbug.com/492511 [ Mac ] virtual/text-antialias/international/arabic-justify.html [ Failure ]\n\ncrbug.com/501659 fast/xsl/xslt-missing-namespace-in-xslt.xml [ Failure ]\n\ncrbug.com/501659 http/tests/security/xss-DENIED-xml-external-entity.xhtml [ Failure ]\ncrbug.com/501659 fast/css/stylesheet-candidate-nodes-crash.xhtml [ Failure ]\n\n# TODO(chrishtr) uncomment ones marked crbug.com/591500 after fixing crbug.com/665259.\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-absolute-covering-some-pages.html [ Failure ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-but-static-headers-and-footers.html [ Failure Pass ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-larger-than-page.html [ Failure Pass ]\n\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers.html [ Failure Pass ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/list-item-with-empty-first-line.html [ Failure ]\n\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-clipped.html [ Failure Pass ]\n\ncrbug.com/353746 virtual/android/fullscreen/video-specified-size.html [ Failure Pass ]\n\ncrbug.com/525296 fast/css/font-load-while-styleresolver-missing.html [ Crash Failure Pass ]\n\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-window.html [ Failure Pass Skip Timeout ]\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-worker.html [ Failure Pass Skip Timeout ]\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-sharedworker.html [ Failure Pass Skip Timeout ]\n\ncrbug.com/543369 fast/forms/select-popup/popup-menu-appearance-tall.html [ Failure Pass ]\n\ncrbug.com/548765 http/tests/devtools/console-fetch-logging.js [ Failure Pass ]\n\ncrbug.com/399951 http/tests/mime/javascript-mimetype-usecounters.html [ Failure Pass ]\n\ncrbug.com/663847 fast/events/context-no-deselect.html [ Failure Pass ]\n\ncrbug.com/611658 [ Win ] virtual/text-antialias/emphasis-combined-text.html [ Failure ]\n\ncrbug.com/611658 [ Win7 ] fast/writing-mode/english-lr-text.html [ Failure ]\n\ncrbug.com/654477 [ Win ] compositing/video/video-controls-layer-creation.html [ Failure Pass ]\ncrbug.com/654477 fast/hidpi/video-controls-in-hidpi.html [ Failure ]\ncrbug.com/654477 fast/layers/video-layer.html [ Failure ]\n# These could likely be removed - see https://chromium-review.googlesource.com/c/chromium/src/+/1252141\ncrbug.com/654477 media/controls-focus-ring.html [ Failure ]\n\ncrbug.com/637930 http/tests/media/video-buffered.html [ Failure Pass ]\n\ncrbug.com/613659 external/wpt/quirks/percentage-height-calculation.html [ Failure ]\n\n# Note: this test was previously marked as slow on Debug builds. Skipping until crash is fixed\ncrbug.com/619978 fast/css/giant-stylesheet-crash.html [ Skip ]\n\ncrbug.com/624430 [ Win10.20h2 ] virtual/text-antialias/font-features/caps-casemapping.html [ Failure ]\n\ncrbug.com/399507 virtual/threaded/http/tests/devtools/tracing/timeline-paint/layer-tree.js [ Skip ]\n\n# These tests have test harness errors and PASS lines that have a\n# non-deterministic order.\ncrbug.com/705125 fast/mediacapturefromelement/CanvasCaptureMediaStream-capture-out-of-DOM-element.html [ Failure ]\n\n# Working on getting the CSP tests going:\ncrbug.com/694525 external/wpt/content-security-policy/navigation/to-javascript-parent-initiated-child-csp.html [ Skip ]\n\n# These tests will be added back soon:\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-aux-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-main-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-sub-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-same-origin-aux-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-same-origin-sub-frame-navigation.sub.html [ Skip ]\n\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/cross-document-traversal-cross-document-traversal.html [ Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-traversal-hashchange.html [ Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-traversal-pushstate.html [ Timeout ]\n\n# These two are like the above but some bots seem to give timeouts that count as failures according to the -expected.txt,\n# while other bots give actual timeouts.\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/cross-document-traversal-same-document-nav.html [ Failure Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-nav.html [ Failure Timeout ]\n\ncrbug.com/876485 fast/performance/performance-measure-null-exception.html [ Failure ]\n\ncrbug.com/713587 external/wpt/css/css-ui/caret-color-006.html [ Skip ]\n\n# Unprefixed image-set() not supported\ncrbug.com/630597 external/wpt/css/css-images/image-set/image-set-rendering.html [ Failure ]\ncrbug.com/630597 external/wpt/css/css-images/image-set/image-set-content-rendering.html [ Failure ]\n\ncrbug.com/604875 external/wpt/css/css-images/tiled-gradients.html [ Failure ]\n\ncrbug.com/808834 [ Linux ] external/wpt/css/css-pseudo/first-letter-001.html [ Failure ]\ncrbug.com/808834 [ Win ] external/wpt/css/css-pseudo/first-letter-001.html [ Failure ]\n\ncrbug.com/932343 external/wpt/css/css-pseudo/selection-text-shadow-016.html [ Failure ]\n\ncrbug.com/723741 virtual/threaded/http/tests/devtools/tracing/idle-callback.js [ Crash Failure Pass Skip Timeout ]\n\n# Untriaged failures after https://crrev.com/c/543695/.\n# These need to be updated but appear not to be related to that change.\ncrbug.com/626703 http/tests/devtools/indexeddb/database-refresh-view.js [ Failure Pass ]\ncrbug.com/626703 crbug.com/946710 http/tests/devtools/extensions/extensions-sidebar.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/751952 virtual/text-antialias/international/complex-text-rectangle.html [ Pass Timeout ]\ncrbug.com/751952 [ Win ] editing/selection/modify_extend/extend_by_character.html [ Failure Pass ]\n\ncrbug.com/805463 external/wpt/acid/acid3/numbered-tests.html [ Skip ]\n\ncrbug.com/828506 [ Win ] fast/events/touch/scroll-without-mouse-lacks-mousemove-events.html [ Failure Pass ]\n\n# Failure messages are unstable so we cannot create baselines.\ncrbug.com/832071 external/wpt/service-workers/service-worker/worker-client-id.https.html [ Failure ]\n\n# failures in external/wpt/css/css-animations/ and web-animations/ from Mozilla tests\ncrbug.com/849859 external/wpt/css/css-animations/Element-getAnimations-dynamic-changes.tentative.html [ Failure ]\n\n# Some control characters still not visible\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-001.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-002.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-003.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-004.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-005.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-006.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-007.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-008.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00B.html [ Failure ]\ncrbug.com/893490 external/wpt/css/css-text/white-space/control-chars-00D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-010.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-011.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-012.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-013.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-014.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-015.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-016.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-017.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-018.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-019.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01F.html [ Failure ]\ncrbug.com/893490 external/wpt/css/css-text/white-space/control-chars-07F.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-080.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-080.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-082.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-082.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-083.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-083.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-084.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-084.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-085.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-085.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-086.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-086.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-087.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-087.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-088.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-088.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-089.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-089.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08A.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08B.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08C.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-091.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-091.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-092.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-092.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-093.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-093.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-094.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-094.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-096.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-096.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-097.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-097.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-098.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-098.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-099.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-099.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09A.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09B.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09C.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09F.html [ Failure ]\n\n# needs implementation of test_driver_internal.action_sequence\n# tests in this group need implementation of keyDown/keyUp\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/multiDevice.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/actionsWithKeyPressed.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/textEditCommands.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/html/semantics/forms/the-input-element/checkable-active-onblur.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/html/semantics/forms/the-button-element/active-onblur.html [ Failure Timeout ]\n\n# needs implementation of test_driver_internal.action_sequence\n# for these tests there is an exception when scrolling: element click intercepted error\ncrbug.com/1040611 external/wpt/uievents/order-of-events/mouse-events/wheel-basic.html [ Failure Timeout ]\ncrbug.com/1040611 external/wpt/uievents/order-of-events/mouse-events/wheel-scrolling.html [ Failure Timeout ]\n\n\n# isInputPending requires threaded compositing and layerized iframes\ncrbug.com/910421 external/wpt/is-input-pending/* [ Skip ]\ncrbug.com/910421 virtual/threaded-composited-iframes/external/wpt/is-input-pending/* [ Pass ]\n\n# requestIdleCallback requires threaded compositing\ncrbug.com/1259718 external/wpt/requestidlecallback/* [ Skip ]\ncrbug.com/1259718 virtual/threaded/external/wpt/requestidlecallback/* [ Pass ]\n\n# WebVTT is off because additional padding\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_completely_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_partially_move_down.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_partially_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_end.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_end_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_start.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_start_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/basic.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/bidi_ruby.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_LF_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_u2028_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_u2029_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u0041_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u05D0_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u0628_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u06E9_no_strong_dir.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/cue_too_long.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/decode_escaped_entities.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/disable_controls_reposition.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_align_position_line_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_align_position_line_size_while_paused.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_line.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_text.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_text_while_paused.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/enable_controls_reposition.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/9_cues_overlapping_completely_all_cues_have_same_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/9_cues_overlapping_completely.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/media_height_19.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/single_quote.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/size_90.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/size_99.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_0_is_top.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_1_wrapped_cue_grow_downwards.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_-2_wrapped_cue_grow_upwards.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_integer_and_percent_mixed_overlap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_integer_and_percent_mixed_overlap_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_percent_and_integer_mixed_overlap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_percent_and_integer_mixed_overlap_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/media_height400_with_controls.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/media_with_controls.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/navigate_cue_position.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/one_line_cue_plus_wrapped_cue.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/repaint.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_shorthand_css_relative_url.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_hex.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_hsla.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_rgba.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/cue_selector_single_colon.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_box.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_shorthand_css_relative_url.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_hex.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_hsla.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_rgba.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/cue_func_selector_single_colon.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/id_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/inherit_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/not_allowed_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/not_root_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/root_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/root_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_overline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_overline_underline_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_underline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/type_selector_root.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_voice_attribute.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_nowrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/inherit_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue-region/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue-region_function/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_overline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_overline_underline_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_underline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_nowrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/bold_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/inherit_as_default_value_inherits_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/italic_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/underline_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/size_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/too_many_cues.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/too_many_cues_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_gt_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_lt_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_lt_50_size_gt_maximum_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/basic.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/regionanchor_x_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/regionanchor_y_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/scroll_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/single_line_top_left.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/viewportanchor_x_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/viewportanchor_y_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/width_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_gt_50_size_gt_maximum_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/start_alignment.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/vertical_rl.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/vertical_ruby-position.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_vertical_text-combine-upright.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/vertical_lr.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/vertical_text-combine-upright.html [ Failure ]\n\n# Flaky test\ncrbug.com/1126649 [ Mac ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure ]\ncrbug.com/1126649 [ Mac ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure ]\n\n# FontFace object failures detected by WPT test\ncrbug.com/965409 external/wpt/css/css-font-loading/fontface-descriptor-updates.html [ Failure ]\n\n# Linux draws antialiasing differently when overlaying two text layers.\ncrbug.com/785230 [ Linux ] external/wpt/css/css-text-decor/text-decoration-thickness-ink-skip-dilation.html [ Failure ]\n\ncrbug.com/1002514 external/wpt/web-share/share-sharePromise-internal-slot.https.html [ Crash Failure ]\n\ncrbug.com/1029514 external/wpt/html/semantics/embedded-content/the-video-element/resize-during-playback.html [ Failure Pass ]\n\n# css-pseudo-4 opacity not applied to ::first-line\ncrbug.com/1085772 external/wpt/css/css-pseudo/first-line-opacity-001.html [ Failure ]\n\n# motion-1 issues\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-002.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-003.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-004.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-005.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-006.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-007.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-009.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-001.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-002.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-003.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-004.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-005.html [ Failure ]\n\n# Various css-values WPT failures\ncrbug.com/1053965 external/wpt/css/css-values/ex-unit-004.html [ Failure ]\ncrbug.com/759914 external/wpt/css/css-values/ch-unit-011.html [ Failure ]\ncrbug.com/965366 external/wpt/css/css-values/ch-unit-017.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-010.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-011.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-009.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-008.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-012.html [ Failure ]\ncrbug.com/937104 external/wpt/css/css-values/lh-unit-002.html [ Failure ]\ncrbug.com/937104 external/wpt/css/css-values/lh-unit-001.html [ Failure ]\n\ncrbug.com/1067277 external/wpt/css/css-content/element-replacement-on-replaced-element.tentative.html [ Failure ]\ncrbug.com/1069300 external/wpt/css/css-pseudo/active-selection-063.html [ Failure ]\ncrbug.com/1108711 external/wpt/css/css-pseudo/active-selection-057.html [ Failure ]\ncrbug.com/1110399 external/wpt/css/css-pseudo/active-selection-031.html [ Failure ]\ncrbug.com/1110401 external/wpt/css/css-pseudo/active-selection-045.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/active-selection-027.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/active-selection-025.html [ Failure ]\n\ncrbug.com/27659 external/wpt/css/css-ruby/abs-in-ruby-base-container.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/abs-in-ruby-base.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-005.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/empty-ruby-base-container.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/empty-ruby-text-container-float.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/improperly-contained-annotation-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/rb-display-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/root-block-ruby.xhtml [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/root-ruby.xhtml [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/rt-display-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-001a.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-002a.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-base-container-abs.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-base-container-float.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-bidi-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-bidi-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-004.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-005.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-model-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-float-handling-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-justification-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-justification-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-lang-specific-style-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-breaking-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-breaking-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-text-collapse.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-whitespace-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-whitespace-002.html [ Failure ]\n\n# WebRTC: Perfect Negotiation times out in Plan B. This is expected.\ncrbug.com/980872 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-perfect-negotiation.https.html [ Skip Timeout ]\n\n# WebRTC: there's an open bug with some capture scenarios not working.\ncrbug.com/1156408 external/wpt/webrtc/RTCPeerConnection-relay-canvas.https.html [ Failure Pass Skip Timeout ]\ncrbug.com/1156408 external/wpt/webrtc/RTCPeerConnection-capture-video.https.html [ Failure Pass Skip Timeout ]\n\ncrbug.com/1074547 external/wpt/css/css-transitions/transitioncancel-002.html [ Timeout ]\n\ncrbug.com/1024156 external/wpt/css/css-pseudo/cascade-highlight-004.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/cascade-highlight-005.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-cascade-001.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-cascade-002.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-paired-cascade-003.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-paired-cascade-006.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-styling-002.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-styling-004.html [ Failure ]\ncrbug.com/1113004 external/wpt/css/css-pseudo/active-selection-043.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-051.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-052.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-053.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-054.html [ Failure ]\ncrbug.com/1018465 external/wpt/css/css-pseudo/active-selection-056.html [ Failure ]\ncrbug.com/932343 external/wpt/css/css-pseudo/active-selection-014.html [ Failure ]\n\n# virtual/css-highlight-inheritance/\ncrbug.com/1217745 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/active-selection-018.html [ Failure ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/cascade-highlight-004.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-cascade-001.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-cascade-002.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-paired-cascade-003.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-paired-cascade-006.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-styling-002.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-styling-004.html [ Pass ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-001.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-002.html [ Failure ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-003.html [ Failure ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-004.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-001.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-003.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-004.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-001.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-003.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-004.html [ Pass ]\n\ncrbug.com/1105958 external/wpt/payment-request/payment-is-showing.https.html [ Failure Skip Timeout ]\n\n### external/wpt/css/CSS2/tables/\ncrbug.com/958381 external/wpt/css/CSS2/tables/column-visibility-004.xht [ Failure ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-079.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-080.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-081.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-082.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-083.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-084.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-085.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-086.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-093.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-094.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-095.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-096.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-097.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-098.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-103.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-104.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-125.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-126.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-127.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-128.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-129.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-130.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-131.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-132.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-155.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-156.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-157.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-158.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-167.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-168.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-171.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-172.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-181.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-182.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-183.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-184.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-185.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-186.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-187.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-188.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-199.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-200.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-201.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-202.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-203.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-204.xht [ Skip ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/anonymous-table-box-width-001.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-009.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-010.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-011.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-012.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-015.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-016.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-017.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-018.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-019.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-020.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-177.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-178.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-179.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-180.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-189.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-190.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-191.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-192.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-193.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-194.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-195.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-196.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-197.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-198.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-205.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-206.xht [ Failure ]\n\n# unblock roll wpt\ncrbug.com/626703 external/wpt/service-workers/service-worker/worker-interception.https.html [ Failure ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/worker-interception.https.html [ Pass ]\n\n# ====== Test expectations added to unblock wpt-importer ======\ncrbug.com/626703 external/wpt/service-workers/service-worker/navigation-timing-extended.https.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scroll-animation-lifetime.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scroll-timeline-snapshotting.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scrolltimeline-root-scroller-quirks-mode.html [ Failure ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/navigation-timing-extended.https.html [ Failure ]\n\n# ====== New tests from wpt-importer added here ======\ncrbug.com/626703 [ Mac10.15 ] external/wpt/page-visibility/minimize.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/shared_array_buffer_on_desktop/external/wpt/compression/decompression-constructor-error.tentative.any.serviceworker.html [ Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/web-locks/bfcache/abort.tentative.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/fenced-frame-mparch/wpt_internal/fenced_frame/create-credential.https.html [ Crash ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-subresource-corp.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/workers/modules/shared-worker-import-csp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_AES-CTR.https.any.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_RSA-OAEP.https.any.html?1-10 [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_RSA-OAEP.https.any.worker.html?141-150 [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/import_export/ec_importKey.https.any.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/accelerometer/Accelerometer-enabled-by-feature-policy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/accessibility/crashtests/activedescendant-crash.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/currentchange-event/currentchange-app-history-updateCurrent.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate-event/navigate-meta-refresh.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate-event/navigateerror-ordering-location-api.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate/disambigaute-forward.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/beacon/headers/header-referrer-no-referrer-when-downgrade.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/bluetooth/characteristic/readValue/characteristic-is-removed.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/split-http-cache/external/wpt/signed-exchange/reporting/sxg-reporting-prefetch-mi_error.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded-prefer-compositing/external/wpt/css/cssom-view/CaretPosition-001.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/css/css-animations/computed-style-animation-parsing.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/css/css-backgrounds/background-repeat/background-repeat-space.xht [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/scroll-animations/scroll-timelines/current-time-nan.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/unified-autoplay/external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/046.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/049.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/139.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/fetch-src/alpha/base.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/compilation-error-2.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/dynamic-import/blob-url.any.sharedworker.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/evaluation-error-1.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/script-onerror-insertion-point-2.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-template-element/additions-to-the-steps-to-clone-a-node/template-clone-children.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-template-element/template-element/template-descendant-frameset.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/characteristic/notifications/service-is-removed.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/characteristic/writeValue/write-succeeds.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/requestDevice/canonicalizeFilter/empty-services-member.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/service/getCharacteristics/characteristics-found-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/service/getCharacteristics/gen-reconnect-during-with-uuid.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/getDescriptors/gen-descriptor-disconnect-called-during-error-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/getDescriptors/gen-descriptor-garbage-collection-ran-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/notifications/notification-after-disconnection.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/readValue/gen-gatt-op-garbage-collection-ran-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/writeValueWithoutResponse/blocklisted-characteristic.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryService/gen-device-disconnects-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryServices/gen-device-disconnects-before-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryServices/gen-device-disconnects-invalidates-objects.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristic/gen-device-goes-out-of-range.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristic/gen-disconnect-called-before.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristics/correct-characteristics.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-pranswer.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCRtpReceiver-getParameters.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/without-coep-for-shared-worker/external/wpt/html/cross-origin-embedder-policy/credentialless/video.tentative.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-color-adjust/rendering/dark-color-scheme/color-scheme-iframe-background-mismatch-opaque-cross-origin.sub.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/resource-timing/object-not-found-adds-entry.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCIceConnectionState-candidate-pair.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-helper-test.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/bundle.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-box/cssbox-initial.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/css3-transform-perspective.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/translate-parsing-invalid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewY/svg-skewy-016.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-048.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-relative-length-invalid-002.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewX/svg-skewx-011.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewY/svg-skewy-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/animation/transform-interpolation-perspective.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/crashtests/preserve3d-scene-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-box/svgbox-fill-box.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/animation/rotate-interpolation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/external-styles/svg-external-styles-008.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/perspective-origin-valid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewX/svg-skewx-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-045.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-relative-length-invalid-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-length-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-scale-test.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/scale/svg-scale-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/inline-styles/svg-inline-styles-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-matrix-004.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-035.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-list-separation/svg-transform-list-separations-011.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-013.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-032.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/perspective-origin-computed.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transformed-preserve-3d-1.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-list-separation/svg-transform-list-separations-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-input-003.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/subpixel-transform-changes-002.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-016.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-name-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/translate/svg-translate-050.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/group/svg-transform-group-008.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-percent-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-3d-rotateY-stair-above-001.xht [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transforms-support-calc.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/transform-computed.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/group/svg-transform-nested-023.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/inline-styles/svg-inline-styles-012.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-transformed-td-contains-fixed-position.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-014.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-063.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-length-cm-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-name-002.html [ Crash ]\ncrbug.com/626703 [ Linux ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/dialog-keydown-preventDefault.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-finished-add.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-ua-ch-platform-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-navigation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/font-access-persistent/external/wpt/font-access/font_access-blob.tentative.https.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/document-domain-disabled-by-default/external/wpt/document-policy/experimental-features/document-domain/document-domain.tentative.sub.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/scroll-timeline-cssom.tentative.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/http-equiv-accept-ch-non-secure.http.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-supported-by-feature-policy.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/at-scroll-timeline-before-phase.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-ua-ch-platform-feature/external/wpt/client-hints/accept-ch-non-secure.http.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/css/css-transitions/parsing/transition-invalid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/backdrop-stacking-order.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/idlharness.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/wpt_internal/client-hints/accept_ch_feature_policy_allow_legacy_hints.tentative.sub.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-cache-revalidation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/external-styles/svg-external-styles-010.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/backplate/forced-colors-mode-backplate-01.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/source-quirks-mode.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/forced-colors-mode-03.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-iframe.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/top-layer-parent-transform.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/animation-model/keyframe-effects/effect-value-iteration-composite-operation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/interfaces/Animation/commitStyles.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/service-workers/new-request-critical.https.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/at-scroll-timeline-inactive-phase.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-navigation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/json-modules/external/wpt/html/semantics/scripting-1/the-script-element/json-module/referrer-policies.sub.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/backplate/forced-colors-mode-backplate-11.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/scroll-timeline-invalidation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/current-time-writing-modes.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/scroll-animation-effect-phases.tentative.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-perspective-009.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/forced-colors-mode-10.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStreamTrack-MediaElement-disabled-video-is-black.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/fractional-scroll-offsets/external/wpt/css/css-position/sticky/position-sticky-nested-left.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/element-based-offset-unresolved.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/interfaces/Animation/cancel.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-attachment.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-attachment.https.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/css/css-sizing/parsing/min-height-invalid.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/element/manual/wide-gamut-canvas/canvas-display-p3-drawImage-ImageBitmap-Blob.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] virtual/plz-dedicated-worker/external/wpt/xhr/event-loadstart-upload.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/xhr/event-loadstart-upload.any.worker.html [ Crash ]\ncrbug.com/626703 [ Linux ] wpt_internal/webcodecs/reconfiguring_encoder.https.any.html [ Timeout ]\ncrbug.com/626703 [ Linux ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/cookies/attributes/domain.sub.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/cookies/attributes/domain.sub.html [ Failure ]\ncrbug.com/626703 external/wpt/workers/interfaces/WorkerUtils/importScripts/blob-url.worker.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/CSS2/tables/table-anonymous-objects-211.xht [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 external/wpt/editing/run/forwarddelete.html?6001-last [ Failure ]\ncrbug.com/626703 external/wpt/selection/contenteditable/initial-selection-on-focus.tentative.html?div [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/css/css-sizing/aspect-ratio/replaced-element-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/post-task-without-signals.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/post-task-without-signals.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/tentative/current-task-signal.any.serviceworker.html [ Crash ]\ncrbug.com/626703 external/wpt/geolocation-API/non-fully-active.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/cross-origin-opener-policy/coop-navigate-same-origin-csp-sandbox.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/cross-origin-opener-policy/coop-navigate-same-origin-csp-sandbox.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 external/wpt/density-size-correction/density-corrected-image-svg-aspect-ratio-cross-origin.sub.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-assign-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/a-user-click-during-pageshow.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/marker-webkit-text-fill-color.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/a-user-click-during-load.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-columns.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-ruby.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-grid.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-math.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-flex.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-table.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-span-dynamic.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-block.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-details.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-fieldset.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-option.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-select-1.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-table.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-select-2.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-span.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-onsignalingstatechanged.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-002.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-001.html [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-not-list-item-start.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-list-item-start.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-not-list-item.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 external/wpt/infrastructure/assumptions/non-local-ports.sub.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/mediacapture-insertable-streams/MediaStreamTrackGenerator-audio.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc-extensions/transfer-datachannel-service-worker.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc-extensions/transfer-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/1-iframe/parent-no-child-yeswithparams-subdomain.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-yes-child1-yes-subdomain-child2-yes-subdomainport.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/popups/opener-no-openee-yes-same.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-yes-child1-yes-subdomain-child2-no-port.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/Create-blocked-port.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-getpublickey.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/credblob-not-supported.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-badargs-authnrselection.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-timeout.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-timeout.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-large-blob-supported.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-extensions.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-excludecredentials.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/webauthn-testdriver-basic.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-resident-key.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-badargs-rpid.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-badargs-userverification.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/credblob-supported.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-large-blob-not-supported.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-extensions.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-grid/alignment/grid-content-alignment-overflow-002.html [ Failure ]\ncrbug.com/626703 external/wpt/FileAPI/file/send-file-formdata-controls.any.html [ Pass Timeout ]\ncrbug.com/626703 external/wpt/FileAPI/file/send-file-formdata-controls.any.worker.html [ Pass Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/url/url-setters.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/url/url-setters.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-counter-styles/counter-style-name-syntax.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-015.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-014.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-010.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-016.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wss [ Timeout ]\ncrbug.com/626703 external/wpt/html/cross-origin-opener-policy/iframe-popup-same-origin-to-same-origin.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/constructor.any.worker.html?wss [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-grid/grid-model/grid-areas-overflowing-grid-container-009.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-002.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/pointerevents/pointerevent_pointercapture_in_frame.html?pen [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/pointerevents/pointerevent_pointercapture_in_frame.html?pen [ Timeout ]\ncrbug.com/1265587 external/wpt/html/user-activation/activation-trigger-pointerevent.html?pen [ Failure ]\ncrbug.com/626703 external/wpt/html/cross-origin-opener-policy/iframe-popup-same-origin-to-unsafe-none.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-006.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-007.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-009.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-pubkeycredparams.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] virtual/restrict-gamepad/external/wpt/gamepad/idlharness-extensions.https.window.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-passing.https.html [ Crash ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-012.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-005.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/font-access-persistent/external/wpt/font-access/font_access-enumeration.tentative.https.window.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-008.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-011.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-013.html [ Failure ]\ncrbug.com/626703 external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.worker.html [ Crash ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-004.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-passing.https.html [ Crash ]\ncrbug.com/626703 external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-large-blob-not-supported.https.html [ Crash ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/remove-own-iframe-during-onerror.window.html?wss [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.serviceworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.worker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/content-security-policy/reporting/report-only-in-meta.sub.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/cache-storage/worker/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/cache-storage/window/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.sharedworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/service-workers/cache-storage/serviceworker/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/remove-own-iframe-during-onerror.window.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.worker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/constructor/010.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/constructor/010.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.serviceworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/opening-handshake/005.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/opening-handshake/005.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/opening-handshake/005.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCSctpTransport-maxChannels.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCSctpTransport-maxChannels.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-senderCaptureTimeOffset.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-senderCaptureTimeOffset.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-legacy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-legacy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/simulcast/h264.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simulcast/h264.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCEncodedAudioFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCEncodedAudioFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-stats/getStats-remote-candidate-address.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-stats/getStats-remote-candidate-address.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDtlsTransport-state.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDtlsTransport-state.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Failure Pass Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/split.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-video.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCEncodedVideoFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-connectionState.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-worker.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-worker.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-connectionState.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simulcast/vp8.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-errors.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-helper-test.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/bundle.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-video-frames.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/crypto-suite.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-onsignalingstatechanged.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDtlsTransport-getRemoteCertificates.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-audio.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-audio.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/no-media-call.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCRtpTransceiver.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-perfect-negotiation.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/promises-call.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-addIceCandidate-connectionSetup.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-addIceCandidate-connectionSetup.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/video-rvfc/request-video-frame-callback-webrtc.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/rtp-demuxing.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCIceConnectionState-candidate-pair.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simplecall-no-ssrcs.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/simplecall-no-ssrcs.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/1209223 external/wpt/html/syntax/xmldecl/xmldecl-2.html [ Failure ]\ncrbug.com/626703 [ Mac ] editing/pasteboard/drag-selected-image-to-contenteditable.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 external/wpt/focus/focus-already-focused-iframe-deep-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/content-security-policy/securitypolicyviolation/source-file-data-scheme.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/basic-auth.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/worklets/paint-worklet-credentials.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-images/image-set/image-set-parsing.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/basic/request-upload.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/script-write-twice-transform.https.html [ Failure Timeout ]\n# crbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/sframe-transform-buffer-source.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/basic-auth.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/backpressure-receive.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/bufferedAmount-unchanged-by-sync-xhr.any.worker.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/basic-auth.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/worklets/audio-worklet-credentials.https.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/request-upload.any.serviceworker.html [ Crash Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Crash Failure Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/custom-elements/form-associated/ElementInternals-setFormValue.html [ Crash Pass Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/custom-elements/form-associated/ElementInternals-setFormValue.html [ Pass Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/sandboxing/window-open-blank-from-different-initiator.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/request-upload.any.sharedworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/mediacapture-image/MediaStreamTrack-getConstraints.https.html [ Crash Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/webrtc-encoded-transform/script-transform.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/websockets/stream/tentative/backpressure-send.any.sharedworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/shared-workers.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/sframe-transform-buffer-source.html [ Crash Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/multi-globals/workers-coep-report.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/http-response-code.any.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/http-response-code.any.sharedworker.html [ Crash Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/FileAPI/file/send-file-formdata-controls.html [ Crash Pass ]\ncrbug.com/626703 [ Win ] external/wpt/FileAPI/file/send-file-formdata-controls.html [ Crash Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/stream/tentative/abort.any.serviceworker.html?wpt_flags=h2 [ Crash Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/abort.any.sharedworker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/offsetparent-old-behavior/external/wpt/shadow-dom/accesskey.tentative.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.serviceworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/selection/contenteditable/modifying-selection-with-primary-mouse-button.tentative.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/streams/readable-streams/tee.any.worker.html [ Failure ]\ncrbug.com/1191547 external/wpt/html/semantics/forms/the-label-element/proxy-modifier-click-to-associated-element.tentative.html [ Timeout ]\ncrbug.com/626703 external/wpt/websockets/cookies/001.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/002.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/003.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/005.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/007.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 [ Mac ] virtual/threaded/external/wpt/css/css-scroll-snap/input/keyboard.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 [ Linux ] wpt_internal/modal-close-watcher/basic.html [ Crash ]\ncrbug.com/626703 [ Mac10.13 ] wpt_internal/modal-close-watcher/basic.html [ Crash ]\ncrbug.com/626703 external/wpt/uievents/keyboard/modifier-keys-combinations.html [ Timeout ]\ncrbug.com/626703 external/wpt/uievents/keyboard/modifier-keys.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/1014091 external/wpt/shadow-dom/focus/focus-pseudo-on-shadow-host-1.html [ Failure ]\ncrbug.com/1014091 external/wpt/shadow-dom/focus/focus-pseudo-on-shadow-host-2.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/webmessaging/with-ports/011.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webmessaging/without-ports/011.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] virtual/threaded/external/wpt/web-animations/timing-model/animations/updating-the-finished-state.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&parent=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&parent=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&child=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&parent=b&child=i [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&child=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&parent=b&child=i [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/interaction/focus/document-level-focus-apis/document-has-system-focus.html [ Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-peerconnection-no-sink.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-peerconnection.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/update-bytecheck.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-element-and-another-list.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Backspace,ul [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-elements.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Delete,ul [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-elements.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-element-and-another-list.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Backspace,ol [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Delete,ol [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-stop.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.sharedworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/webxr/xr_viewport_scale.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/editing/other/select-all-and-delete-in-html-element-having-contenteditable.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/first-contentful-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/mask-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/first-contentful-paint.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/child-painting-first-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/sibling-painting-first-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/border-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/infrastructure/testdriver/actions/iframe.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/infrastructure/testdriver/actions/crossOrigin.sub.html [ Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-during-and-after-dispatch.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/scroll-to-text-fragment/redirects.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 [ Fuchsia ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/screen-capture/feature-policy.https.html [ Timeout ]\ncrbug.com/626703 [ Fuchsia ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-immediately.https.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/web-locks/query-ordering.tentative.https.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/fetch/connection-pool/network-partition-key.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-backspace.tentative.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-forwarddelete.tentative.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t422-rgba-a0.6-a.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-color/t32-opacity-basic-0.6-a.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-basic-a.xht [ Failure ]\ncrbug.com/626703 external/wpt/wasm/jsapi/functions/incumbent.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-innerheight-innerwidth.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/Worker-replace-self.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_multiple.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_oncookiechange_eventhandler_single_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_single.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-replace-EventHandler.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-MessageEvent-source.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/examples/onconnect.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/global-serviceworker.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-replace-EventHandler.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/interfaces/WorkerGlobalScope/self.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_empty.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_single_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_overlapping_subscriptions.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_overlapping_subscriptions.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStore_subscribe_arguments.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-MessageEvent-source.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_multiple_subscriptions.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_multiple_subscriptions.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_single_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/global-serviceworker.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/examples/onconnect.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_oncookiechange_eventhandler_single_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/postMessage_block.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/uievents/order-of-events/focus-events/focus-management-expectations.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/preload/onload-event.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/shared-worker-parse-error-failure.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-operations.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/content-dpr/content-dpr-various-elements.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/workers/abrupt-completion.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/eventsource/eventsource-constructor-url-bogus.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/webappapis/scripting/events/event-handler-attributes-body-window.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.html?1-1000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/css/cssom/CSSStyleSheet-constructable.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.worker.html?1001-2000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.worker.html?1001-2000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.html?3001-last [ Failure Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/content-security-policy/object-src/object-src-no-url-allowed.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/ready.https.window.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-x-css_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-left-css_touch.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/screen-capture/getdisplaymedia.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/screen-capture/getdisplaymedia.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-sharedworker-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-domain-failure.https.sub.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-iframe-messagechannel.https.html [ Failure ]\ncrbug.com/626703 external/wpt/fetch/corb/script-resource-with-nonsniffable-types.tentative.sub.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/location-set-and-document-open.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-align/baseline-rules/grid-item-input-type-number.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/baseline-rules/grid-item-input-type-text.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/feedback-delay-time.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/delay-time-clamping.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/cycle-without-delay.html [ Failure ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-inherit_child-pan-x-child-pan-y_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-inherit_child-none_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-y-css_touch.html [ Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/web-animations/timing-model/animation-effects/phases-and-states.html [ Crash ]\ncrbug.com/626703 external/wpt/webvtt/rendering/cues-with-video/processing-model/snap-to-line.html [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/IndexedDB/structured-clone.any.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-svg-none-test_touch.html [ Skip Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/extension/pointerevent_touch-action-pan-right-css_touch.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-offer.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/broadcastchannel-success.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webauthn/idlharness-manual.https.window.js [ Skip ]\ncrbug.com/1004760 [ Mac ] external/wpt/html/semantics/embedded-content/media-elements/ready-states/autoplay-hidden.optional.html [ Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-streams/MediaStream-MediaElement-srcObject.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/preload/download-resources.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/preload/download-resources.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/preload/onload-event.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/rendering/widgets/button-layout/anonymous-button-content-box.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/widgets/button-layout/inline-level.html [ Failure ]\ncrbug.com/626703 external/wpt/xhr/abort-after-stop.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesisUtterance-volume-manual.html [ Skip ]\ncrbug.com/626703 crbug.com/606367 external/wpt/pointerevents/pointerevent_touch-action-pan-x-pan-y-pan-y_touch.html [ Failure Pass Timeout ]\ncrbug.com/626703 crbug.com/606367 external/wpt/pointerevents/pointerevent_touch-action-none-css_touch.html [ Failure Pass Timeout ]\ncrbug.com/626703 external/wpt/xhr/event-readystatechange-loaded.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/li-value-counter-reset-001.html [ Failure ]\ncrbug.com/626703 external/wpt/xhr/event-readystatechange-loaded.any.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/list-item-definition.html [ Failure ]\ncrbug.com/626703 external/wpt/media-source/mediasource-correct-frames-after-reappend.html [ Failure Pass Skip Timeout ]\ncrbug.com/626703 external/wpt/media-source/mediasource-correct-frames.html [ Failure Pass Skip Timeout ]\ncrbug.com/626703 external/wpt/payment-method-basic-card/steps_for_selecting_the_payment_handler.html [ Timeout ]\ncrbug.com/626703 external/wpt/payment-method-basic-card/apply_the_modifiers.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/tables/table-border-3s.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/tables/table-border-3q.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/onchange-event.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-tracks.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-remote-track-mute.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-width-height.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/html/webappapis/animation-frames/cancel-handle-manual.html [ Skip ]\ncrbug.com/626703 external/wpt/fetch/content-type/response.window.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/webappapis/user-prompts/newline-normalization-manual.html [ Skip ]\ncrbug.com/903383 external/wpt/css/filter-effects/css-filters-animation-combined-001.html [ Failure ]\ncrbug.com/903383 external/wpt/css/filter-effects/css-filters-animation-blur.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-screenx.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-innerheight.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-height.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-top.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-width-height.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-innerwidth-innerheight.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-will-change/will-change-abspos-cb-dynamic-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-will-change/will-change-abspos-cb-001.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/url/a-element.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/Create-url-with-space.any.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/abort.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/backpressure-receive.any.serviceworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/backpressure-receive.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Linux ] virtual/system-color-compute/external/wpt/css/css-color/color-function-parsing.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/css/css-color/color-function-parsing.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/Create-blocked-port.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/Create-url-with-space.any.html [ Failure ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/webrtc/RTCDTMFSender-ontonechange-long.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange-long.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/dom/idlharness.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/payment-handler/idlharness.https.any.serviceworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/payment-request/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/private-click-measurement/idlharness.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/service-workers/idlharness.https.any.serviceworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/streams/idlharness.any.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/streams/idlharness.any.sharedworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/webhid/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.sharedworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/portals/external/wpt/portals/idlharness.window.html [ Failure ]\n\n# selectmenu timeouts\ncrbug.com/1253971 [ Linux ] external/wpt/html/semantics/forms/the-selectmenu-element/selectmenu-parts-structure.tentative.html [ Timeout ]\ncrbug.com/1253971 [ Mac ] external/wpt/html/semantics/forms/the-selectmenu-element/selectmenu-parts-structure.tentative.html [ Timeout ]\n\n\n### See crbug.com/891427 comment near the top of this file:\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-block-margins-2.html [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-004.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-001.svg [ Failure ]\n\ncrbug.com/1220220 external/wpt/html/rendering/non-replaced-elements/form-controls/input-placeholder-line-height.html [ Failure ]\n\n# Tests pass under virtual/webrtc-wpt-plan-b\nvirtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-operations.https.html [ Pass ]\n\ncrbug.com/1131471 external/wpt/web-locks/clientids.tentative.https.html [ Failure ]\n\n# See also crbug.com/920100 (sheriff 2019-01-09).\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/external-stylesheet.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/inline-style.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/inline-style-with-differentorigin-base-tag.tentative.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/internal-stylesheet.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/presentation-attribute.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/processing-instruction.html [ Failure Timeout ]\n\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-complex-001.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-bicubic-001.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-005.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-002.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-003.svg [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-block-margins.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-display-rendering.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-tall.html [ Failure ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesis-pause-resume.tentative.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-9.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-8.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-7.html [ Failure ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-16.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-64.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-62.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-19b.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-161.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18a.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18c.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-61.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-63.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-19.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-20.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-66.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-21.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-177a.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-17.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-65.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18b.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-159.xml [ Skip ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/reload.window.html [ Timeout ]\ncrbug.com/626703 external/wpt/quirks/text-decoration-doesnt-propagate-into-tables/quirks.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/fieldset-painting-order.html [ Failure ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/tasks.window.html [ Timeout ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-complex-002.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-shape-inside-001.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-complex-001.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-shape-inside-002.svg [ Failure ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesis-speak-without-activation-fails.tentative.html [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-007.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-005.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-002.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-003.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-201.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-001.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-002.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-006.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-003.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-001.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-101.svg [ Failure ]\ncrbug.com/626703 external/wpt/clear-site-data/executionContexts.sub.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/css/css-lists/content-property/marker-text-matches-armenian.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-disc.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-square.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-circle.html [ Failure ]\ncrbug.com/626703 external/wpt/content-security-policy/securitypolicyviolation/targeting.html [ Timeout ]\ncrbug.com/626703 external/wpt/web-animations/timing-model/timelines/update-and-send-events.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/orientation-reading.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/unloading-documents/prompt-and-unload-script-closeable.html [ Failure ]\n\n# navigation.sub.html fails or times out when run with run_web_tests.py but passes with run_wpt_tests.py\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=windows-1252 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=x-cp1251 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=utf8 [ Failure Timeout ]\n\ncrbug.com/626703 external/wpt/fetch/security/redirect-to-url-with-credentials.https.html [ Timeout ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-003.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-004.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-005.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-objectboundingbox-content-clip-transform.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-objectboundingbox-content-clip.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-userspaceonuse-content-clip-transform.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-userspaceonuse-content-clip.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-001.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-002.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-005.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-006.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-008.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-element-userSpaceOnUse-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-element-userSpaceOnUse-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-001.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-002.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-005.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-006.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-007.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-008.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-006.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-007.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-008.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-009.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-010.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-011.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-012.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-polygon-013.html [ Failure ]\ncrbug.com/981970 external/wpt/fetch/http-cache/split-cache.html [ Skip ]\ncrbug.com/626703 external/wpt/fetch/http-cache/basic-auth-cache-test.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/cssom-view/scroll-behavior-smooth.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/history/joint-session-history/joint-session-history-remove-iframe.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/mediaqueries/viewport-script-dynamic.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-fill-stroke/paint-order-001.tentative.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-ui/text-overflow-026.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-inline-table-002.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-table-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-inline-table-001.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t422-rgba-onscreen-multiple-boxes-c.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-onscreen-multiple-boxes-c.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-onscreen-b.xht [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/css/css-color/t425-hsla-onscreen-b.xht [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1i.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1j.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1k.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1l.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2i.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2j.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2k.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2l.html [ Failure ]\ncrbug.com/626703 external/wpt/acid/acid2/reftest.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/acid/acid3/test.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-ui/cursor-auto-006.html [ Skip ]\ncrbug.com/626703 external/wpt/css/css-ui/cursor-auto-007.html [ Skip ]\ncrbug.com/626703 external/wpt/compat/webkit-text-fill-color-property-005.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/text-decoration-va-length-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/text-decoration-va-length-002.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/white-space-collapsing-bidi-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/white-space-mixed-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/floats/floats-wrap-bfc-006b.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/floats/floats-wrap-bfc-006c.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/logical-physical-mapping-001.html [ Failure ]\ncrbug.com/626703 external/wpt/encoding/eof-utf-8-three.html [ Failure ]\ncrbug.com/626703 external/wpt/encoding/eof-utf-8-two.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/windows/noreferrer-window-name.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/IndexedDB/request-abort-ordering.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/media-source/mediasource-avtracks.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/media-source/mediasource-getvideoplaybackquality.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/pointerevents/pointerevent_disabled_form_control-manual.html [ Pass Timeout ]\ncrbug.com/958104 external/wpt/presentation-api/controlling-ua/getAvailability.https.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/onchange-event-subframe.html [ Timeout ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/xhr/event-readystatechange-loaded.htm [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/dom/elements/global-attributes/dir_auto-N-EN-ref.html [ Failure ]\n\n# Synthetic modules report the wrong location in errors\ncrbug.com/994315 virtual/json-modules/external/wpt/html/semantics/scripting-1/the-script-element/json-module/parse-error.html [ Skip ]\n\n# These tests pass on the blink_rel bots but fail on the other builders\ncrbug.com/1051773 external/wpt/css/CSS2/floats/float-nowrap-3-ref.html [ Crash ]\ncrbug.com/1051773 external/wpt/css/CSS2/floats/float-nowrap-4.html [ Crash Timeout ]\n\ncrbug.com/964181 external/wpt/css/css-text/overflow-wrap/overflow-wrap-anywhere-inline-002.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/overflow-wrap/overflow-wrap-anywhere-inline-003.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-004.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-007.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-009.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-010.html [ Failure ]\n\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-006.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-007.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-008.html [ Failure ]\ncrbug.com/1017164 [ Win ] external/wpt/css/css-text/word-break/word-break-normal-km-000.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-normal-my-000.html [ Failure ]\ncrbug.com/1017164 [ Linux ] external/wpt/css/css-text/word-break/word-break-normal-lo-000.html [ Failure ]\ncrbug.com/1017164 [ Win ] external/wpt/css/css-text/word-break/word-break-normal-lo-000.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-normal-tdd-000.html [ Failure ]\ncrbug.com/1015331 external/wpt/css/css-text/white-space/eol-spaces-bidi-001.html [ Failure ]\n\ncrbug.com/899264 external/wpt/css/css-text/letter-spacing/letter-spacing-control-chars-001.html [ Failure ]\n\ncrbug.com/1250666 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/invalid-image-pending-script.https.html [ Pass Timeout ]\n\ncrbug.com/829028 external/wpt/css/css-break/abspos-in-opacity-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/avoid-border-break.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-005.html [ Failure ]\ncrbug.com/269061 external/wpt/css/css-break/box-shadow.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-006.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-003.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-004.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-007.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/forced-break-at-fragmentainer-start-000.html [ Failure ]\ncrbug.com/614667 external/wpt/css/css-break/grid/grid-item-fragmentation-020.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow-lr.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow-rl.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-029.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-030.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-032.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-034.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-035.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-036.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-038.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-039.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-040.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-041.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-042.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-043.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-044.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-045.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-046.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-047.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-052.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-054.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-057.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-058.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-059.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-060.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-061.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-062.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-063.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-065.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-066.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-071.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-073.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflowed-block-with-no-room-after-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflowed-block-with-no-room-after-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/relpos-inline-hit-testing.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/relpos-inline.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/ruby-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/trailing-child-margin-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/trailing-child-margin-002.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-003.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-004.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/transform-006.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/transform-008.html [ Failure ]\ncrbug.com/1224888 external/wpt/css/css-break/transform-009.html [ Failure ]\ncrbug.com/1156312 external/wpt/css/css-break/widows-orphans-017.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-ltr-rtl-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-rtl-ltr-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-rtl-rtl-in-multicol.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-ltr-rtl-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-rtl-ltr-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-rtl-rtl-in-multicol.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-ltr-rtl-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-rtl-ltr-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-rtl-rtl-in-multicols.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-ltr-rtl-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-rtl-ltr-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-rtl-rtl-in-multicols.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/abspos-containing-block-outside-spanner.html [ Failure ]\ncrbug.com/967329 external/wpt/css/css-multicol/columnfill-auto-max-height-001.html [ Failure ]\ncrbug.com/967329 external/wpt/css/css-multicol/columnfill-auto-max-height-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/balance-break-avoidance-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/balance-orphans-widows-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/fixed-in-multicol-with-transform-container.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/hit-test-transformed-child.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-000.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-001.html [ Failure ]\ncrbug.com/481431 external/wpt/css/css-multicol/multicol-breaking-004.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-005.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-nobackground-000.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-nobackground-001.html [ Failure ]\ncrbug.com/481431 external/wpt/css/css-multicol/multicol-breaking-nobackground-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-013.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-014.html [ Failure ]\ncrbug.com/829028 [ Mac ] external/wpt/css/css-multicol/multicol-list-item-004.html [ Failure ]\ncrbug.com/829028 [ Mac ] external/wpt/css/css-multicol/multicol-list-item-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-013.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-015.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-016.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-017.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-018.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-022.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-023.html [ Failure ]\ncrbug.com/1246602 external/wpt/css/css-multicol/multicol-oof-inline-cb-001.html [ Failure ]\ncrbug.com/1246602 external/wpt/css/css-multicol/multicol-oof-inline-cb-002.html [ Failure ]\ncrbug.com/792435 external/wpt/css/css-multicol/multicol-rule-004.xht [ Failure ]\ncrbug.com/792437 external/wpt/css/css-multicol/multicol-rule-inset-000.xht [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-001.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-002.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-003.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-004.html [ Failure ]\ncrbug.com/792437 external/wpt/css/css-multicol/multicol-rule-outset-000.xht [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-001.html [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-002.html [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-003.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-001.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-002.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-003.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-005.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-006.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-007.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-009.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-008.html [ Failure ]\ncrbug.com/926685 external/wpt/css/css-multicol/multicol-span-all-010.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-014.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-015.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-017.html [ Failure ]\ncrbug.com/892817 external/wpt/css/css-multicol/multicol-span-all-margin-bottom-001.xht [ Failure ]\ncrbug.com/636055 external/wpt/css/css-multicol/multicol-span-all-margin-nested-002.xht [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-span-all-rule-001.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-001.xht [ Failure ]\ncrbug.com/964183 external/wpt/css/css-multicol/multicol-width-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/nested-at-outer-boundary-as-fieldset.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/nested-with-too-tall-line.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/non-adjacent-spanners-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/orthogonal-writing-mode-spanner.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-011.html [ Failure ]\ncrbug.com/1191124 external/wpt/css/css-multicol/spanner-fragmentation-012.html [ Failure ]\ncrbug.com/1224888 external/wpt/css/css-multicol/spanner-in-opacity.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-002.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-003.html [ Failure ]\n\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-007.tentative.html [ Failure ]\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-009.tentative.html [ Failure ]\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-011.tentative.html [ Failure ]\ncrbug.com/1097992 external/wpt/css/css-pseudo/marker-font-variant-numeric-normal.html [ Failure ]\ncrbug.com/1060007 external/wpt/css/css-pseudo/marker-text-combine-upright.html [ Failure ]\n\n# iframe tests time out if the request is blocked as mixed content.\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/iframe-blank-inherit.meta/unset/iframe-tag.https.html [ Skip Timeout ]\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/srcdoc-inherit.meta/unset/iframe-tag.https.html [ Skip Timeout ]\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/top.meta/unset/iframe-tag.https.html [ Skip Timeout ]\n\n# Different results on try bots and CQ, skipped to unblock wpt import.\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-default-css.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-element.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-main-frame-root.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-main-frame-window.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-scrollintoview-nested.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-smooth-positions.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-subframe-root.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-subframe-window.html [ Skip ]\n\n# Crashes with DCHECK enabled, but not on normal Release builds.\ncrbug.com/809935 external/wpt/css/css-fonts/variations/font-style-interpolation.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-ui/text-overflow-011.html [ Crash Failure Pass ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/margin-collapsing-quirks/multicol-quirks-mode.html [ Crash Pass ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/margin-collapsing-quirks/multicol-standards-mode.html [ Crash Failure Pass ]\n\n# Other untriaged test failures, timeouts and crashes from newly-imported WPT tests.\ncrbug.com/626703 external/wpt/html/browsers/history/the-location-interface/location-protocol-setter-non-broken.html [ Failure Pass ]\n\n# <input disabled> does not fire click events after dispatchEvent\ncrbug.com/1115661 external/wpt/dom/events/Event-dispatch-click.html [ Timeout ]\n\n# Implement text-decoration correctly for vertical text\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-thickness-vertical-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-underline-offset-vertical-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-skip-ink-upright-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-skip-ink-upright-001.html [ Failure ]\n\ncrbug.com/912362 external/wpt/web-animations/timing-model/timelines/timelines.html [ Failure ]\n\n# Unclear if XHR events should still be fired after its frame is discarded.\ncrbug.com/881180 external/wpt/xhr/open-url-multi-window-4.htm [ Timeout ]\n\ncrbug.com/910709 navigator_language/worker_navigator_language.html [ Timeout ]\n\ncrbug.com/435547 http/tests/cachestorage/serviceworker/ignore-search-with-credentials.html [ Skip ]\n\ncrbug.com/697971 [ Mac10.12 ] virtual/text-antialias/selection/flexbox-selection-nested.html [ Skip ]\ncrbug.com/697971 [ Mac10.12 ] virtual/text-antialias/selection/flexbox-selection.html [ Skip ]\n\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-bottom-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-bottom-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-bottom-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-bottom-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-radius-clip-001.html [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-radius-clip-001.html [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-radius-clip-002.htm [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-radius-clip-002.htm [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-top-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-top-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-top-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-top-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/box-shadow-radius-000.html [ Failure ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/box-shadow-radius-000.html [ Failure ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/box-shadow-radius-001.html [ Failure ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/box-shadow-radius-001.html [ Failure ]\n\n# [css-grid]\ncrbug.com/1045599 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-safe-001.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/alignment/grid-row-axis-self-baseline-synthesized-004.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/alignment/grid-self-baseline-not-applied-if-sizing-cyclic-dependency-003.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-columns-001.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-columns-interpolation.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-rows-001.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-rows-interpolation.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/grid-definition/grid-repeat-max-width-001.html [ Failure ]\n\n# The 'last baseline' keyword is not implemented yet\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-item-self-baseline-001.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-001.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-002.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-004.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-003.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-004.html [ Failure ]\n\n# Baseline Content-Alignment is not implemented yet for CSS Grid Layout\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-001.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-002.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-003.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-004.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-001.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-002.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-003.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-004.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-baseline-align-001.html [ Failure ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-baseline-justify-001.html [ Failure ]\n\n# Subgrid is not implemented yet\ncrbug.com/618969 external/wpt/css/css-grid/subgrid/* [ Skip ]\n\n### Tests failing with SVGTextNG enabled:\ncrbug.com/1179585 svg/custom/visibility-collapse.html [ Failure ]\n\ncrbug.com/1236992 svg/dom/SVGListPropertyTearOff-gccrash.html [ Failure Pass ]\n\n# [css-animations]\ncrbug.com/993365 external/wpt/css/css-transitions/Element-getAnimations.tentative.html [ Failure Pass ]\n\ncrbug.com/664450 http/tests/devtools/console/console-on-animation-worklet.js [ Skip ]\n\ncrbug.com/826419 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-remove-track-inband.html [ Skip ]\n\ncrbug.com/825798 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-webvtt-non-snap-to-lines.html [ Failure ]\n\ncrbug.com/1093188 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-webvtt-two-cue-layout-after-first-end.html [ Failure Pass ]\n\n# This test requires a special browser flag and seems not suitable for a wpt test, see bug.\ncrbug.com/691944 external/wpt/service-workers/service-worker/update-after-oneday.https.html [ Skip ]\n\n# These tests (erroneously) see a platform-specific User-Agent header\ncrbug.com/595993 external/wpt/service-workers/service-worker/fetch-header-visibility.https.html [ Failure ]\n\ncrbug.com/619427 [ Mac ] fast/overflow/overflow-height-float-not-removed-crash3.html [ Failure Pass ]\n\ncrbug.com/670024 external/wpt/webmessaging/broadcastchannel/sandbox.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/with-ports/001.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/without-ports/001.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/with-options/broken-origin.html [ Failure ]\n\n# Added 2016-12-12\ncrbug.com/610835 http/tests/security/XFrameOptions/x-frame-options-deny-multiple-clients.html [ Failure Pass ]\n\ncrbug.com/892212 http/tests/wasm/wasm_remote_postMessage_test.https.html [ Failure Pass Timeout ]\n\n# ====== Random order flaky tests from here ======\n# These tests are flaky when run in random order, which is the default on Linux & Mac since since 2016-12-16.\n\ncrbug.com/702837 virtual/text-antialias/aat-morx.html [ Skip ]\n\ncrbug.com/688670 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cue-rendering-after-controls-removed.html [ Failure Pass ]\n\ncrbug.com/849670 http/tests/devtools/service-workers/service-worker-v8-cache.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/overflow-scroll-animates.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/overflow-scroll-root-frame-animates.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/horizontal-smooth-scroll-in-rtl.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/main-thread-scrolling-reason-added.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-anchors.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-vertical-rl-anchors.html [ Skip ]\n\ncrbug.com/900431 [ Mac ] css3/blending/mix-blend-mode-isolated-group-1.html [ Failure Pass ]\ncrbug.com/900431 [ Mac ] css3/blending/mix-blend-mode-isolated-group-3.html [ Failure Pass ]\n\n# ====== Random order flaky tests end here ======\n\n# ====== Tests from enabling .any.js/.worker.js tests begin here ======\ncrbug.com/709227 external/wpt/console/console-time-label-conversion.any.html [ Failure ]\ncrbug.com/709227 external/wpt/console/console-time-label-conversion.any.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/browsers/history/the-location-interface/per-global.window.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.arc.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.closed.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.curve.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.line.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.rect.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.create2.nonfinite.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.get.nonfinite.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.put.nonfinite.worker.html [ Failure ]\n\n# ====== Tests from enabling .any.js/.worker.js tests end here ========\n\ncrbug.com/789139 http/tests/devtools/sources/debugger/live-edit-no-reveal.js [ Crash Failure Pass Skip Timeout ]\n\n# ====== Begin of display: contents tests ======\n\ncrbug.com/181374 external/wpt/css/css-display/display-contents-dynamic-table-001-inline.html [ Failure ]\n\n# ====== End of display: contents tests ======\n\n# ====== Begin of other css-display tests ======\n\ncrbug.com/995106 external/wpt/css/css-display/display-flow-root-list-item-001.html [ Failure ]\n\n# ====== End of other css-display tests ======\n\ncrbug.com/930297 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/utf-16be.html?include=workers [ Skip Timeout ]\ncrbug.com/930297 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/utf-16le.html?include=workers [ Skip Timeout ]\n\ncrbug.com/676229 plugins/mouse-click-plugin-clears-selection.html [ Failure Pass ]\ncrbug.com/742670 plugins/iframe-plugin-bgcolor.html [ Failure Pass ]\ncrbug.com/780398 [ Mac ] plugins/mouse-capture-inside-shadow.html [ Failure Pass ]\n\ncrbug.com/678493 http/tests/permissions/chromium/test-request-window.html [ Pass Skip Timeout ]\n\ncrbug.com/689781 external/wpt/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/689781 [ Win ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/689781 [ Mac ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\n\ncrbug.com/681468 [ Win ] virtual/scalefactor150/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\ncrbug.com/681468 [ Win ] virtual/scalefactor200withzoom/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\ncrbug.com/681468 [ Win ] virtual/scalefactor200/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\n\ncrbug.com/1157857 virtual/percent-based-scrolling/max-percent-delta-cross-origin-iframes.html [ Failure Pass Timeout ]\n\ncrbug.com/683800 [ Debug Win7 ] external/wpt/selection/* [ Failure Pass ]\n\ncrbug.com/716320 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/broadcastchannel-success-and-failure.https.html [ Failure Timeout ]\n\n# Test timing out when SharedArrayBuffer is disabled by default.\n# See https://crbug.com/1194557\ncrbug.com/1194557 http/tests/devtools/sources/debugger-breakpoints/set-breakpoint-while-blocking-main-thread.js [ Skip Timeout ]\ncrbug.com/1194557 virtual/shared_array_buffer_on_desktop/http/tests/devtools/sources/debugger-breakpoints/set-breakpoint-while-blocking-main-thread.js [ Pass ]\n\n# Test output varies depending on the bot. A single expectation file doesn't\n# work.\ncrbug.com/1194557 fast/beacon/beacon-basic.html [ Failure Pass ]\ncrbug.com/1194557 virtual/shared_array_buffer_on_desktop/fast/beacon/beacon-basic.html [ Pass ]\n\n# This test passes only when the JXL feature is enabled.\ncrbug.com/1161994 http/tests/inspector-protocol/emulation/emulation-set-disabled-image-types-jxl.js [ Failure Pass ]\n\ncrbug.com/874302 external/wpt/wasm/serialization/module/broadcastchannel-success-and-failure.html [ Timeout ]\ncrbug.com/874302 external/wpt/wasm/serialization/module/broadcastchannel-success.html [ Timeout ]\n\ncrbug.com/877286 external/wpt/wasm/serialization/module/no-transferring.html [ Failure ]\n\ncrbug.com/831509 external/wpt/service-workers/service-worker/skip-waiting-installed.https.html [ Failure Pass ]\n\n# Fullscreen tests are failed because of consuming user activation on fullscreen\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-twice-manual.html [ Failure ]\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-two-elements-manual.html [ Failure ]\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-two-iframes-manual.html [ Failure Timeout ]\n\n# snav tests fail because of a DCHECK\ncrbug.com/985520 virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-enter-from-interest-a11y.html [ Crash ]\ncrbug.com/985520 virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-enter-from-interest.html [ Crash ]\n\n# User-Agent is not able to be set on XHR/fetch\ncrbug.com/571722 external/wpt/xhr/preserve-ua-header-on-redirect.htm [ Failure ]\n\n# Sheriff failures 2017-03-10\ncrbug.com/741210 [ Mac ] inspector-protocol/emulation/device-emulation-restore.js [ Failure ]\n\n# Sheriff failures 2017-03-21\ncrbug.com/703518 http/tests/devtools/tracing/worker-js-frames.js [ Failure Pass ]\ncrbug.com/674720 http/tests/loading/preload-img-test.html [ Failure Pass ]\n\n# Sheriff failures 2017-05-11\ncrbug.com/724027 http/tests/security/contentSecurityPolicy/directive-parsing-03.html [ Skip ]\ncrbug.com/724027 http/tests/security/contentSecurityPolicy/source-list-parsing-04.html [ Skip ]\n\n# Sheriff failures 2017-05-16\ncrbug.com/722212 fast/events/pointerevents/mouse-pointer-event-properties.html [ Failure Pass Timeout ]\n# Crashes on win\ncrbug.com/722943 [ Win ] media/audio-repaint.html [ Crash ]\n\n# Sheriff failures 2018-08-15\ncrbug.com/874837 [ Win ] ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure Pass ]\ncrbug.com/874837 [ Linux ] ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure Pass ]\ncrbug.com/874931 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/mousewheel-scroll.html [ Crash Failure Pass ]\ncrbug.com/875003 [ Win ] editing/caret/caret-is-hidden-when-no-focus.html [ Failure Pass ]\n\n# Sheiff failures 2021-04-09\ncrbug.com/1197444 [ Linux ] virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/overlay-scrollbar-over-child-layer-nested-2.html [ Crash Failure Pass ]\n\ncrbug.com/715718 external/wpt/media-source/mediasource-remove.html [ Failure Pass ]\n\n# Feature Policy changes fullscreen behaviour, tests need updating\ncrbug.com/718155 fullscreen/full-screen-restrictions.html [ Failure Skip Timeout ]\n\ncrbug.com/852645 gamepad/full-screen-gamepad.html [ Timeout ]\n\ncrbug.com/1191123 gamepad/gamepad-polling-access.html [ Failure Pass ]\n\n# Feature Policy changes same-origin allowpaymentrequest behaviour, tests need updating\ncrbug.com/718155 payments/payment-request-in-iframe.html [ Failure ]\ncrbug.com/718155 payments/payment-request-in-iframe-nested-not-allowed.html [ Failure ]\n\n# Expect to fail. The test is applicable only when DigitalGoods flag is disabled.\ncrbug.com/1080870 http/tests/payments/payment-request-app-store-billing-mandatory-total.html [ Failure ]\n\n# Layout Tests on Swarming (Windows) - https://crbug.com/717347\ncrbug.com/713094 [ Win ] fast/css/fontfaceset-check-platform-fonts.html [ Failure Pass ]\n\n# Image decode failures due to document destruction.\ncrbug.com/721435 external/wpt/html/semantics/embedded-content/the-img-element/decode/image-decode-iframe.html [ Skip ]\n\n# Sheriff failures 2017-05-23\ncrbug.com/725470 editing/shadow/doubleclick-on-meter-in-shadow-crash.html [ Crash Failure Pass ]\n\n# Sheriff failures 2017-06-14\ncrbug.com/737959 http/tests/misc/object-image-load-outlives-gc-without-crashing.html [ Failure Pass ]\n\ncrbug.com/737959 http/tests/misc/video-poster-image-load-outlives-gc-without-crashing.html [ Crash Failure Pass ]\n\n# module script lacks XHTML support\ncrbug.com/717643 external/wpt/html/semantics/scripting-1/the-script-element/module/module-in-xhtml.xhtml [ Failure ]\n\n# known bug: import() inside set{Timeout,Interval}\n\n# Service worker updates need to handle redirect appropriately.\ncrbug.com/889798 external/wpt/service-workers/service-worker/import-scripts-redirect.https.html [ Skip ]\n\n# Service workers need to handle Clear-Site-Data appropriately.\ncrbug.com/1052641 external/wpt/service-workers/service-worker/unregister-immediately-before-installed.https.html [ Skip ]\ncrbug.com/1052642 external/wpt/service-workers/service-worker/unregister-immediately-during-extendable-events.https.html [ Skip ]\n\n# known bug of SubresourceWebBundles\ncrbug.com/1244483 external/wpt/web-bundle/subresource-loading/link-non-utf8-query-encoding-encoded-src.https.tentative.html [ Failure ]\n\n# Sheriff failures 2017-07-03\ncrbug.com/708994 http/tests/security/cross-frame-mouse-source-capabilities.html [ Pass Skip Timeout ]\ncrbug.com/746128 [ Mac ] media/controls/video-enter-exit-fullscreen-without-hovering-doesnt-show-controls.html [ Failure Pass ]\n\n# Tests failing when enabling new modern media controls\ncrbug.com/831942 media/webkit-media-controls-webkit-appearance.html [ Failure Pass ]\ncrbug.com/832157 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cue-rendering-after-controls-added.html [ Skip ]\ncrbug.com/832169 media/media-controls-fit-properly-while-zoomed.html [ Failure Pass ]\ncrbug.com/832447 media/controls/controls-page-zoom-in.html [ Failure Pass ]\ncrbug.com/832447 media/controls/controls-page-zoom-out.html [ Failure Pass ]\ncrbug.com/849694 [ Mac ] http/tests/media/controls/toggle-class-with-state-source-buffer.html [ Failure Pass ]\n\n# Tests currently failing on Windows when run on Swarming\ncrbug.com/757165 [ Win ] compositing/culling/filter-occlusion-blur.html [ Skip ]\ncrbug.com/757165 [ Win ] css3/blending/mix-blend-mode-with-filters.html [ Skip ]\ncrbug.com/757165 [ Win ] external/wpt/preload/download-resources.html [ Skip ]\ncrbug.com/757165 [ Win ] external/wpt/preload/preload-default-csp.sub.html [ Skip ]\ncrbug.com/757165 [ Win ] fast/forms/file/recover-file-input-in-unposted-form.html [ Skip ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-aligned-not-aligned.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-clipped-overflowed-content.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-container-only-white-space.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-container-white-space.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-date.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-div-scrollable-but-without-focusable-content.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-fully-aligned-horizontally.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-fully-aligned-vertically.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-hidden-iframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-hidden-iframe-zero-size.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-iframe-recursive-offset-parent.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-area-not-focusable.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-area-without-image.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-overlapped-areas.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-simple.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-input.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-multiple-select.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-not-below.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-not-rightof.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-overlapping-elements.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-radio-group.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-radio.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-single-select.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-symmetrically-positioned.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-table-traversal.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-textarea.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-tiny-table-traversal.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-two-elements-one-line.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-unit-overflow-and-scroll-in-direction.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-z-index.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] http/tests/devtools/sources/ui-source-code-metadata.js [ Skip ]\ncrbug.com/757165 [ Win ] http/tests/misc/client-hints-accept-meta-preloader.html [ Skip ]\ncrbug.com/757165 [ Win ] paint/invalidation/filters/filter-repaint-accelerated-child-with-filter-child.html [ Skip ]\ncrbug.com/757165 [ Win ] paint/invalidation/filters/filter-repaint-on-accelerated-layer.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-filter-modified-save-restore.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-filter-modified.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/threaded-no-composited-antialiasing/animations/svg/animated-filter-svg-element.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-clipping.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-image.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-fill-style.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-global-alpha.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-image.html [ Skip ]\n# This is timing out on non-windows platforms, marked as skip on all platforms.\ncrbug.com/757165 virtual/gpu/fast/canvas/canvas-blending-gradient-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-image.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-pattern-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-pattern-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-text.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-transforms.html [ Skip ]\n# This is currently skipped on all OSes due to crbug.com/775957\n#crbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-incremental-repaint.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-scale-drawImage-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-strokeRect-alpha-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/image-object-in-canvas.html [ Skip ]\n\n# Antialiasing error\ncrbug.com/845973 virtual/display-compositor-pixel-dump/fast/canvas/display-compositor-pixel-dump/OffscreenCanvas-opaque-background-compositing.html [ Failure Pass ]\n\n# Some Windows 7 vm images have a timezone-related registry not populated\n# leading this test to fail.\n# https://chromium-review.googlesource.com/c/chromium/src/+/1379250/6\ncrbug.com/856119 [ Win7 ] fast/js/regress/resolved-timezone-defined.html [ Failure Pass ]\n\n# Tests occasionaly timing out (flaky) on WebKit Win7 dbg builder\ncrbug.com/757955 http/tests/devtools/tracing/timeline-paint/layer-tree.js [ Failure Pass Skip Timeout ]\n\n# This test has a fixed number of time which can depend on performance.\n\ncrbug.com/669329 http/tests/devtools/tracing/timeline-js/timeline-runtime-stats.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/769347 [ Mac ] fast/dom/inert/inert-node-is-uneditable.html [ Failure ]\n\ncrbug.com/769056 virtual/text-antialias/emoji-web-font.html [ Failure ]\ncrbug.com/1159689 [ Mac ] virtual/text-antialias/emoticons.html [ Failure Pass ]\n\ncrbug.com/770232 [ Win10.20h2 ] virtual/text-antialias/hyphenate-character.html [ Failure ]\n\n# Editing commands incorrectly assume no plain text length change after formatting text.\ncrbug.com/764489 editing/execCommand/format-block-multiple-paragraphs.html [ Failure ]\ncrbug.com/764489 editing/execCommand/format-block-multiple-paragraphs-in-pre.html [ Failure ]\n\n# Previous/NextWordPosition crossing editing boundaries.\ncrbug.com/900060 editing/selection/mixed-editability-8.html [ Failure ]\n\n# Sheriff failure 2017-09-18\ncrbug.com/766404 [ Mac ] plugins/keyboard-events.html [ Failure Pass ]\n\n# Layout test corrupted after Skia rect tessellation change due to apparent SwiftShader bug.\n# This was previously skipped on Windows in the section for crbug.com/757165\ncrbug.com/775957 virtual/gpu/fast/canvas/canvas-incremental-repaint.html [ Skip ]\n\n# Sheriff failures 2017-09-21\ncrbug.com/767469 http/tests/navigation/start-load-during-provisional-loader-detach.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-02\ncrbug.com/770971 [ Win7 ] fast/forms/suggested-value.html [ Failure Pass ]\ncrbug.com/771492 external/wpt/css/css-tables/table-model-fixup-2.html [ Failure ]\n\ncrbug.com/807191 fast/media/mq-color-gamut-picture.html [ Failure Pass Skip Timeout ]\n\n# Text rendering on Win7 failing image diffs, flakily.\ncrbug.com/773122 [ Win7 ] virtual/text-antialias/international/unicode-bidi-plaintext-in-textarea.html [ Failure Pass ]\ncrbug.com/773122 [ Win7 ] virtual/text-antialias/whitespace/022.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-13\ncrbug.com/774463 [ Debug Win7 ] fast/events/autoscroll-should-not-stop-on-keypress.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-23\ncrbug.com/772411 http/tests/media/autoplay-crossorigin.html [ Failure Pass Timeout ]\n\n# Sheriff failures 2017-10-24\ncrbug.com/773122 crbug.com/777813 [ Win ] virtual/text-antialias/font-ascent-mac.html [ Failure Pass ]\n\n# Cookie Store API\ncrbug.com/827231 [ Win ] external/wpt/cookie-store/change_eventhandler_for_document_cookie.tentative.https.window.html [ Failure Pass Timeout ]\n\n# The \"Lax+POST\" or lax-allowing-unsafe intervention for SameSite-by-default\n# cookies causes POST tests to fail.\ncrbug.com/990439 external/wpt/cookies/samesite/form-post-blank.https.html [ Failure ]\ncrbug.com/843945 external/wpt/cookies/samesite/form-post-blank-reload.https.html [ Failure ]\ncrbug.com/990439 http/tests/cookies/same-site/popup-cross-site-post.https.html [ Failure ]\n\n# Flaky Windows-only content_shell crash\ncrbug.com/1162205 [ Win ] virtual/schemeful-same-site/external/wpt/cookies/attributes/path-redirect.html [ Crash Pass ]\ncrbug.com/1162205 [ Win ] external/wpt/cookies/attributes/path-redirect.html [ Crash Pass ]\n\n# Temporarily disable failing cookie control character tests until we implement\n# the latest spec changes. Specifically, 0x00, 0x0d and 0x0a should cause\n# cookie rejection instead of truncation, and the tab character should be\n# treated as a valid character.\ncrbug.com/1233602 external/wpt/cookies/attributes/attributes-ctl.sub.html [ Failure ]\ncrbug.com/1233602 external/wpt/cookies/name/name-ctl.html [ Failure ]\ncrbug.com/1233602 external/wpt/cookies/value/value-ctl.html [ Failure ]\n\n# The virtual tests run with Schemeful Same-Site disabled. These should fail to ensure the disabled feature code paths work.\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-websockets.sub.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-iframe-subresource.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-subresource.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-navigation.tentative.html [ Failure ]\n\n# These tests fail with Schemeful Same-Site due to their cross-schemeness. Skip them until there's a more permanent solution.\ncrbug.com/1141909 external/wpt/websockets/cookies/001.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/002.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/003.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/005.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/007.html?wss [ Skip ]\n\n# Sheriff failures 2017-12-04\ncrbug.com/667560 http/tests/devtools/elements/styles-4/inline-style-sourcemap.js [ Failure Pass ]\n\n# Double tap on modern media controls is a bit more complicated on Mac but\n# since we are not targeting Mac yet we can come back and fix this later.\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-backwards.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-forwards.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-forwards-too-short.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-on-play-button.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-toggle-fullscreen.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/click-anywhere-to-play-pause.html [ Skip ]\n\n# Seen flaky on Linux, suppressing on Windows as well\ncrbug.com/831720 [ Win ] media/controls/doubletap-to-jump-forwards-too-short.html [ Failure Pass ]\ncrbug.com/831720 [ Linux ] media/controls/doubletap-to-jump-forwards-too-short.html [ Failure Pass ]\ncrbug.com/831720 media/controls/tap-to-hide-controls.html [ Failure Pass ]\n\n# These tests require Unified Autoplay.\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-allowed-by-feature-policy-attribute-redirect-on-load.https.sub.html [ Skip ]\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-default-feature-policy.https.sub.html [ Skip ]\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-disabled-by-feature-policy.https.sub.html [ Skip ]\n\n# Does not work on Mac\ncrbug.com/793771 [ Mac ] media/controls/scrubbing.html [ Skip ]\n\n# Different paths may have different anti-aliasing pixels 2018-02-21\nskbug.com/7641 external/wpt/css/css-paint-api/paint2d-paths.https.html [ Failure Pass ]\n\n# Sheriff failures 2018-01-25\n# Flaking on Linux Tests, WebKit Linux Trusty (also ASAN, Leak)\ncrbug.com/805794 [ Linux ] virtual/android/url-bar/bottom-fixed-adjusted-when-showing-url-bar.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-05\ncrbug.com/809152 netinfo/estimate-multiple-frames.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-20\ncrbug.com/789921 media/controls/repaint-on-resize.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-21\ncrbug.com/814585 [ Linux ] fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-cjk.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-22\ncrbug.com/814889 idle-callback/test-runner-run-idle-tasks.html [ Crash Pass Timeout ]\ncrbug.com/814953 fast/replaced/no-focus-ring-iframe.html [ Failure Pass ]\ncrbug.com/814964 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-border-radius.html [ Failure Pass ]\n\n# These pass on bots with proprietary codecs (most CQ bots) while failing on bots without.\ncrbug.com/807110 external/wpt/html/semantics/embedded-content/media-elements/mime-types/canPlayType.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-addsourcebuffer.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-buffered.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-a-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-audio-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-framesize.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-video-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-bitrate.html [ Failure Pass Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-framerate.html [ Failure Pass Skip Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-framesize.html [ Failure Pass ]\n# Failure and Pass for crbug.com/807110 and Timeout for crbug.com/727252.\ncrbug.com/727252 external/wpt/media-source/mediasource-endofstream.html [ Failure Pass Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-is-type-supported.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-sequencemode-append-buffer.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-sourcebuffer-mode-timestamps.html [ Failure Pass ]\ncrbug.com/794338 media/video-rotation.html [ Failure Pass ]\ncrbug.com/811605 media/video-poster-after-loadedmetadata.html [ Failure Pass ]\n\n# MHT works only when loaded from local FS (file://..).\ncrbug.com/778467 [ Fuchsia ] mhtml/mhtml_in_iframe.html [ Failure ]\n\n# These tests timeout when using Scenic ozone platform.\ncrbug.com/1067477 [ Fuchsia ] fast/media/matchmedium-query-api.html [ Skip ]\ncrbug.com/1067477 [ Fuchsia ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Skip ]\n\n# These tests are flaky when using Scenic ozone platform.\ncrbug.com/1047480 [ Fuchsia ] css3/calc/reflection-computed-style.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] external/wpt/web-animations/interfaces/Animation/ready.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] fast/block/float/floats-with-margin-should-not-wrap.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] fast/block/margin-collapse/clear-nested-float-more-than-one-previous-sibling-away.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] virtual/gpu-rasterization/images/drag-image-descendant-painting-sibling.html [ Failure Pass ]\n\n### See crbug.com/891427 comment near the top of this file:\n###crbug.com/816914 [ Mac ] fast/canvas/canvas-drawImage-live-video.html [ Failure Pass ]\ncrbug.com/817167 http/tests/devtools/oopif/oopif-cookies-refresh.js [ Failure Pass Skip Timeout ]\n\n# Disable temporarily on Win7, will remove them when they are not flaky.\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\n\n# Sheriff 2018-03-02\ncrbug.com/818076 http/tests/devtools/oopif/oopif-elements-navigate-in.js [ Failure Pass ]\n\n# Sheriff 2018-03-05\ncrbug.com/818650 [ Linux ] wpt_internal/speech/scripted/speechrecognition-restart-onend.html [ Crash Pass ]\n\n# Prefetching Signed Exchange DevTools tests are flaky.\ncrbug.com/851363 http/tests/devtools/sxg/sxg-prefetch-fail.js [ Failure Pass ]\ncrbug.com/851363 http/tests/devtools/sxg/sxg-prefetch.js [ Failure Pass ]\n\n# Sheriff 2018-03-22\ncrbug.com/824775 media/controls/video-controls-with-cast-rendering.html [ Failure Pass ]\ncrbug.com/824848 external/wpt/html/semantics/links/following-hyperlinks/activation-behavior.window.html [ Failure Pass ]\n\n# Sheriff 2018-03-26\ncrbug.com/825733 [ Win ] media/color-profile-video-seek-filter.html [ Failure Pass Skip Timeout ]\ncrbug.com/754986 media/video-transformed.html [ Failure Pass ]\n\n# Sheriff 2018-03-29\ncrbug.com/827209 [ Win ] fast/events/middleClickAutoscroll-latching.html [ Failure Pass Timeout ]\ncrbug.com/827209 [ Linux ] fast/events/middleClickAutoscroll-latching.html [ Failure Pass Timeout ]\n\n# Utility for manual testing, not intended to be run as part of layout tests.\ncrbug.com/785955 http/tests/credentialmanager/tools/virtual-authenticator-environment-manual.html [ Skip ]\n\n# Sheriff 2018-04-11\ncrbug.com/831796 fast/events/autoscroll-in-textfield.html [ Failure Pass ]\n\n# First party DevTools issues only work in the first-party-sets virtual suite\ncrbug.com/1179186 http/tests/inspector-protocol/network/blocked-cookie-same-party-issue.js [ Skip ]\ncrbug.com/1179186 http/tests/inspector-protocol/network/blocked-setcookie-same-party-cross-party-issue.js [ Skip ]\ncrbug.com/1179186 virtual/first-party-sets/http/tests/inspector-protocol/network/blocked-cookie-same-party-issue.js [ Pass ]\ncrbug.com/1179186 virtual/first-party-sets/http/tests/inspector-protocol/network/blocked-setcookie-same-party-cross-party-issue.js [ Pass ]\n\n# Sheriff 2018-04-13\ncrbug.com/833655 [ Linux ] media/controls/closed-captions-dynamic-update.html [ Skip ]\ncrbug.com/833658 media/video-controls-focus-movement-on-hide.html [ Failure Pass ]\n\n# Sheriff 2018-05-22\ncrbug.com/845610 [ Win ] http/tests/inspector-protocol/target/target-browser-context.js [ Failure Pass ]\n\n# Sheriff 2018-05-28\n# Merged failing devtools/editor tests.\n### See crbug.com/891427 comment near the top of this file:\ncrbug.com/749738 http/tests/devtools/editor/text-editor-word-jumps.js [ Pass Skip Timeout ]\ncrbug.com/846997 http/tests/devtools/editor/text-editor-ctrl-d-1.js [ Pass Skip Timeout ]\ncrbug.com/846982 http/tests/devtools/editor/text-editor-formatter.js [ Pass Skip Timeout ]\n###crbug.com/847114 [ Linux ] http/tests/devtools/tracing/decode-resize.js [ Pass Failure ]\n###crbug.com/847114 [ Linux ] virtual/threaded/http/tests/devtools/tracing/decode-resize.js [ Pass Failure ]\n\ncrbug.com/843135 virtual/gpu/fast/canvas/canvas-arc-circumference-fill.html [ Failure Pass ]\n\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-arc-circumference.html [ Failure ]\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-ellipse-circumference-fill.html [ Failure ]\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-ellipse-circumference.html [ Failure ]\n\n# Sheriff 2018-05-31\ncrbug.com/848398 http/tests/devtools/oopif/oopif-performance-cpu-profiles.js [ Failure Pass Skip Timeout ]\n\n# Flakes 2018-06-02\ncrbug.com/841567 fast/scrolling/scrollbar-tickmarks-hittest.html [ Failure Pass ]\n\n# Flakes 2018-06-04\n\n# Sheriff 2018-06-07\ncrbug.com/850358 http/tests/devtools/editor/text-editor-enter-behaviour.js [ Failure Pass Skip Timeout ]\ncrbug.com/849978 http/tests/devtools/elements/styles-4/stylesheet-source-url-comment.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/854538 [ Win7 ] http/tests/security/contentSecurityPolicy/1.1/form-action-src-default-ignored-with-redirect.html [ Skip ]\n\n# User Activation\ncrbug.com/736415 crbug.com/1066190 external/wpt/html/user-activation/navigation-state-reset-crossorigin.sub.tentative.html [ Failure Timeout ]\ncrbug.com/736415 external/wpt/html/user-activation/navigation-state-reset-sameorigin.tentative.html [ Failure ]\n\n# Sheriff 2018-07-05\ncrbug.com/861682 [ Win ] external/wpt/css/mediaqueries/device-aspect-ratio-003.html [ Failure Pass ]\n\n# S13N Sheriff 2018-7-11\ncrbug.com/862643 http/tests/serviceworker/navigation_preload/use-counter.html [ Failure Pass ]\n\n# Sheriff 2018-07-30\ncrbug.com/868706 external/wpt/css/css-layout-api/auto-block-size-inflow.https.html [ Failure Pass ]\n\n# Sheriff 2018-08-01\ncrbug.com/869773 http/tests/misc/window-dot-stop.html [ Failure Pass ]\n\ncrbug.com/873873 external/wpt/service-workers/service-worker/fetch-canvas-tainting-video.https.html [ Pass Skip Timeout ]\ncrbug.com/873873 external/wpt/service-workers/service-worker/fetch-canvas-tainting-video-cache.https.html [ Pass Skip Timeout ]\n\ncrbug.com/875884 [ Linux ] lifecycle/background-change-lifecycle-count.html [ Failure Pass ]\ncrbug.com/875884 [ Win ] lifecycle/background-change-lifecycle-count.html [ Failure Pass ]\n\n# Broken when smooth scrolling was enabled in Mac web tests (real failure)\ncrbug.com/1044137 [ Mac ] fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\n\n# Sheriff 2018-08-20\ncrbug.com/862589 virtual/threaded/fast/idle-callback/long_idle_periods.html [ Pass Skip Timeout ]\n\n# fast/events/middleClickAutoscroll-* are failing on Mac\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-click-hyperlink.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-click.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-drag.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-event-fired.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-in-iframe.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-latching.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-modal-scrollable-iframe-div.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-nested-divs-forbidden.html [ Skip ]\n# The next also fails due to crbug.com/891427, thus disabled on all platforms.\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-nested-divs.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/selection-autoscroll-borderbelt.html [ Skip ]\n\ncrbug.com/1198842 [ Linux ] virtual/scroll-unification/fast/events/selection-autoscroll-borderbelt.html [ Pass Timeout ]\n\n# Passes in threaded mode, fails without it. This is a real bug.\ncrbug.com/1112183 fast/scrolling/autoscroll-iframe-no-scrolling.html [ Failure ]\n\n# Sheriff 2018-09-10\ncrbug.com/881207 fast/js/regress/splice-to-remove.html [ Pass Timeout ]\n\ncrbug.com/882689 http/tests/security/cookies/third-party-cookie-blocking-worker.html [ Failure Pass ]\n\n# Sheriff 2018-09-19\ncrbug.com/662010 [ Win7 ] http/tests/csspaint/invalidation-background-image.html [ Skip ]\n\n# Sheriff 2018-10-15\ncrbug.com/895257 [ Mac ] external/wpt/css/css-fonts/variations/at-font-face-font-matching.html [ Failure Pass ]\n\n#Sheriff 2018-10-23\ncrbug.com/898378 [ Mac10.13 ] fast/scroll-behavior/smooth-scroll/keyboard-scroll.html [ Timeout ]\n\n# Sheriff 2018-10-29\ncrbug.com/766357 [ Win ] virtual/threaded-prefer-compositing/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure Pass ]\n\n# ecosystem-infra sheriff 2018-11-02, 2019-03-18\ncrbug.com/901271 external/wpt/dom/events/Event-dispatch-on-disabled-elements.html [ Failure Pass Skip Timeout ]\n\n# Test is flaky under load\ncrbug.com/904389 http/tests/preload/delaying_onload_link_preload_after_discovery.html [ Failure Pass ]\n\n# Flaky crash due to \"bad mojo message\".\ncrbug.com/906952 editing/pasteboard/file-drag-to-editable.html [ Crash Pass ]\n\n#Sheriff 2018-11-22\ncrbug.com/907862 [ Mac10.13 ] gamepad/multiple-event-listeners.html [ Failure Pass ]\n\n# Sheriff 2018-11-26\ncrbug.com/908347 media/autoplay/webaudio-audio-context-resume.html [ Failure Pass ]\n\n#Sheriff 2018-12-04\ncrbug.com/911515 [ Mac ] transforms/shadows.html [ Failure Pass ]\ncrbug.com/911782 [ Mac ] paint/invalidation/forms/submit-focus-by-mouse-then-keydown.html [ Failure Pass ]\n\n# Sheriff 2018-12-06\ncrbug.com/912793 crbug.com/899087 virtual/android/fullscreen/full-screen-iframe-allowed-video.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2018-12-07\ncrbug.com/912821 http/tests/devtools/tracing/user-timing.js [ Skip ]\n\n# Sheriff 2018-12-13\ncrbug.com/910452 media/controls/buttons-after-reset.html [ Failure Pass ]\n\n# Update 2020-06-01: flaky on all platforms.\ncrbug.com/914782 fast/scrolling/no-hover-during-scroll.html [ Failure Pass ]\n\ncrbug.com/919272 external/wpt/resource-timing/resource-timing.html [ Skip ]\n\n# Sheriff 2019-01-03\ncrbug.com/918905 external/wpt/css/css-sizing/block-size-with-min-or-max-content-table-1b.html [ Failure Pass ]\n\n# Android doesn't support H264/AVC1 encoding.\n# Some other bots are built without H264/AVC1 encoding support.\ncrbug.com/719023 fast/mediarecorder/MediaRecorder-isTypeSupported-avc1.html [ Failure Pass ]\ncrbug.com/719023 media_capabilities/encodingInfo-avc1.html [ Failure Pass ]\n\n# Sheriff 2019-01-07\ncrbug.com/919587 [ Linux ] virtual/threaded/fast/idle-callback/idle_periods.html [ Failure Pass ]\n\n# WebRTC Plan B\ncrbug.com/920979 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCTrackEvent-fire.html [ Timeout ]\n\n# Mac doesn't support lowLatency/desynchronized Canvas Contexts.\ncrbug.com/922218 [ Mac ] fast/canvas-api/canvas-lowlatency-getContext.html [ Failure ]\n\n# Sheriff 2019-01-14\ncrbug.com/921583 http/tests/preload/meta-viewport-link-headers.html [ Failure Pass ]\n\n# These fail (some time out, some are flaky, etc.) when landing valid changes to Mojo bindings\n# dispatch timing. Many of them seem to fail for different reasons, but pretty consistently in most\n# cases it seems like a problem around test expectation timing rather than real bugs affecting\n# production code. Because such timing bugs are relatively common in tests and it would thus be very\n# difficult to land the dispatch change without some temporary breakage, these tests are disabled\ncrbug.com/922951 fast/css/pseudo-hover-active-display-none.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 fast/forms/number/number-input-event-composed.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/cache/subresource-fragment-identifier.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/devtools/tracing/timeline-network-received-data.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 http/tests/history/back-to-post.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/security/cookies/basic.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/webaudio/autoplay-crossorigin.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 media/controls/overflow-menu-hide-on-click-outside-stoppropagation.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 virtual/prefer_compositing_to_lcd_text/scrollbars/resize-scales-with-dpi-150.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 [ Linux ] virtual/scalefactor150/fast/events/synthetic-events/tap-on-scaled-screen.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 [ Win ] virtual/scalefactor150/fast/events/synthetic-events/tap-on-scaled-screen.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/frame-model-instrumentation.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-layout/timeline-layout-reason.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-misc/timeline-record-reload.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-layout/timeline-layout-with-invalidations.js [ Crash Failure Pass Skip Timeout ]\n\n# Flaky devtools test for recalculating styles.\ncrbug.com/1018177 http/tests/devtools/tracing/timeline-style/timeline-recalculate-styles.js [ Failure Pass ]\n\n# Race: The RTCIceConnectionState can become \"connected\" before getStats()\n# returns candidate-pair whose state is \"succeeded\", this sounds like a\n# contradiction.\n\n# This test is not intended to pass on Plan B.\ncrbug.com/740501 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-onnegotiationneeded.html [ Failure Pass Timeout ]\n\ncrbug.com/910979 http/tests/html/validation-bubble-oopif-clip.html [ Failure Pass ]\n\n# Sheriff 2019-02-01, 2019-02-19\n# These are crashy on Win10, and seem to leave processes lying around, causing the swarming\n# task to hang.\n\n# Recently became flaky on multiple platforms (Linux and Windows primarily)\ncrbug.com/927769 fast/webgl/OffscreenCanvas-webgl-preserveDrawingBuffer.html [ Skip ]\n\n# Flaky test.\ncrbug.com/1084378 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_remove_cue_while_paused.html [ Failure Pass ]\n\n# Sheriff 2019-02-12\ncrbug.com/1072768 media/video-played-ranges-1.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-02-13\ncrbug.com/931646 [ Win7 ] http/tests/preload/meta-viewport-link-headers-imagesrcset.html [ Failure Pass ]\n\n# These started failing when network service was enabled by default.\ncrbug.com/933880 external/wpt/service-workers/service-worker/request-end-to-end.https.html [ Failure ]\ncrbug.com/933880 http/tests/inspector-protocol/network/xhr-interception-auth-fail.js [ Failure ]\n# This passes in content_shell but not in chrome with network service disabled,\n# because content_shell does not add the about: handler. With network service\n# enabled this fails in both content_shell and chrome.\ncrbug.com/933880 http/tests/misc/redirect-to-about-blank.html [ Failure Timeout ]\n\n# Sheriff 2019-02-22\ncrbug.com/934636 http/tests/security/cross-origin-indexeddb-allowed.html [ Crash Pass ]\ncrbug.com/934818 http/tests/devtools/tracing/decode-resize.js [ Failure Pass ]\n\n# Sheriff 2019-02-26\ncrbug.com/936165 media/autoplay-muted.html [ Pass Skip Timeout ]\n\n# Sheriff 2019-02-28\ncrbug.com/936827 external/wpt/fullscreen/api/element-request-fullscreen-and-remove-manual.html [ Failure Pass ]\n\n# Paint Timing failures\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-gradient.html [ Failure ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-invisible-3d-rotate-descendant.html [ Failure Timeout ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-invisible-3d-rotate.html [ Failure ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-text-input.html [ Failure ]\n\n# Also crbug.com/1044535\ncrbug.com/937416 http/tests/devtools/resource-tree/resource-tree-frame-navigate.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-03-04\n# Also crbug.com/1044418\ncrbug.com/937811 [ Linux Release ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-2.js [ Failure Pass Skip Timeout ]\ncrbug.com/937811 [ Linux Release ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-3.js [ Failure Pass ]\ncrbug.com/937811 [ Release Win ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-2.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-03-05\ncrbug.com/938200 http/tests/devtools/network/network-blocked-reason.js [ Pass Skip Timeout ]\n\n# Caused a revert of a good change.\ncrbug.com/931533 media/video-played-collapse.html [ Failure Pass ]\n\n# Sheriff 2019-03-14\ncrbug.com/806357 virtual/threaded/fast/events/pointerevents/pinch/pointerevent_touch-action-pinch_zoom_touch.html [ Crash Failure Pass Timeout ]\n\n# Trooper 2019-03-19\ncrbug.com/943388 [ Win ] http/tests/devtools/network/network-recording-after-reload-with-screenshots-enabled.js [ Failure Pass ]\n\n# Sheriff 2019-03-20\ncrbug.com/943969 [ Win ] inspector-protocol/css/css-get-media-queries.js [ Failure Pass ]\n\n# Sheriff 2019-03-25\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-add-new-rule-tab.js [ Failure Pass ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-add-new-rule.js [ Failure Pass Skip Timeout ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-disable-inherited.js [ Failure Pass ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-change-node-while-editing.js [ Failure Pass ]\n\n# Tests using testRunner.useUnfortunateSynchronousResizeMode occasionally timeout,\n# but the test coverage is still good.\ncrbug.com/919789 css3/viewport-percentage-lengths/viewport-percentage-lengths-resize.html [ Pass Timeout ]\ncrbug.com/919789 compositing/transitions/transform-on-large-layer-expected.html [ Pass Timeout ]\ncrbug.com/919789 fast/autoresize/turn-off-autoresize.html [ Pass Timeout ]\ncrbug.com/919789 fast/autoresize/basic.html [ Pass Timeout ]\ncrbug.com/919789 fast/dom/viewport/resize-event-fired-window-resized.html [ Pass Timeout ]\ncrbug.com/919789 fast/dom/Window/window-resize-contents.html [ Pass Timeout ]\ncrbug.com/919789 fast/events/resize-events-count.html [ Pass Timeout ]\ncrbug.com/919789 virtual/text-antialias/line-break-between-text-nodes-with-inline-blocks.html [ Pass Timeout ]\ncrbug.com/919789 media/controls/overflow-menu-hide-on-resize.html [ Pass Timeout ]\ncrbug.com/919789 [ Linux ] paint/invalidation/resize-iframe-text.html [ Pass Timeout ]\ncrbug.com/919789 [ Mac10.13 ] paint/invalidation/resize-iframe-text.html [ Pass Timeout ]\ncrbug.com/919789 paint/invalidation/scroll/scrollbar-damage-and-full-viewport-repaint.html [ Pass Timeout ]\ncrbug.com/919789 paint/invalidation/window-resize/* [ Pass Timeout ]\n\ncrbug.com/1021627 fast/dom/rtl-scroll-to-leftmost-and-resize.html [ Failure Pass Timeout ]\ncrbug.com/1130876 fast/dynamic/window-resize-scrollbars-test.html [ Failure Pass ]\n\n# Sheriff 2019-03-28\ncrbug.com/946890 external/wpt/html/semantics/embedded-content/media-elements/location-of-the-media-resource/currentSrc.html [ Crash Failure Pass ]\ncrbug.com/946711 [ Release ] http/tests/devtools/editor/text-editor-search-switch-editor.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/946712 [ Release ] http/tests/devtools/elements/styles-2/paste-property.js [ Crash Pass Skip Timeout ]\n\n### external/wpt/fetch/sec-metadata/\ncrbug.com/947023 external/wpt/fetch/sec-metadata/font.tentative.https.sub.html [ Failure Pass ]\n\n# Sheriff 2019-04-02\ncrbug.com/947690 [ Debug ] http/tests/history/back-during-beforeunload.html [ Failure Pass ]\n\n# Sheriff 2019-04-09\ncrbug.com/946335 [ Linux ] fast/filesystem/file-writer-abort-depth.html [ Crash Pass ]\ncrbug.com/946335 [ Mac ] fast/filesystem/file-writer-abort-depth.html [ Crash Pass ]\n\n# The postMessage() calls intended to complete the test are blocked due to being\n# cross-origin between the portal and the host..\ncrbug.com/1220891 virtual/portals/external/wpt/portals/csp/frame-src.sub.html [ Timeout ]\n\n# Sheriff 2019-04-17\ncrbug.com/953591 [ Win ] fast/forms/datalist/input-appearance-range-with-transform.html [ Failure Pass ]\ncrbug.com/953591 [ Win ] transforms/matrix-02.html [ Failure Pass ]\ncrbug.com/938884 http/tests/devtools/elements/styles-3/styles-add-blank-property.js [ Pass Skip Timeout ]\n\n# Sheriff 2019-04-30\ncrbug.com/948785 [ Debug ] fast/events/pointerevents/pointer-event-consumed-touchstart-in-slop-region.html [ Failure Pass ]\n\n# Sheriff 2019-05-01\ncrbug.com/958347 [ Linux ] external/wpt/editing/run/removeformat.html [ Crash Pass ]\ncrbug.com/958426 [ Mac10.13 ] virtual/text-antialias/line-break-ascii.html [ Pass Timeout ]\n\n# This test might need to be removed.\ncrbug.com/954349 fast/forms/autofocus-in-sandbox-with-allow-scripts.html [ Timeout ]\n\n# Sheriff 2019-05-11\ncrbug.com/962139 [ Debug Linux ] external/wpt/html/infrastructure/urls/dynamic-changes-to-base-urls/dynamic-urls.sub.html [ Crash Pass ]\ncrbug.com/962139 [ Debug Linux ] external/wpt/html/infrastructure/urls/dynamic-changes-to-base-urls/historical.sub.xhtml [ Crash Pass ]\n\n# Sheriff 2019-05-13\ncrbug.com/865432 [ Linux ] external/wpt/workers/modules/dedicated-worker-import-blob-url.any.worker.html [ Pass Timeout ]\ncrbug.com/867532 [ Linux ] external/wpt/workers/modules/dedicated-worker-import-data-url.any.worker.html [ Pass Timeout ]\ncrbug.com/867532 [ Linux ] external/wpt/workers/modules/dedicated-worker-import.any.worker.html [ Pass Timeout ]\n\n# Sheriff 2020-05-18\ncrbug.com/988248 media/track/track-cue-rendering-position-auto.html [ Failure Pass ]\n\n# Flaky test on all platforms.\ncrbug.com/988248 media/track/track-cue-rendering-position-auto-rtl.html [ Failure Pass ]\n\n# Failing because of revert of If931c1faff528a87d8a78808f30225ebe2377072.\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_tracks.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/3_tracks.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre-line_wrapped.html [ Failure ]\n\n# Sheriff 2019-06-04\ncrbug.com/970135 [ Mac ] virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-interested-element-indicated.html [ Failure ]\ncrbug.com/970334 [ Mac ] fast/spatial-navigation/snav-tiny-table-traversal.html [ Failure ]\ncrbug.com/970142 http/tests/security/mixedContent/insecure-css-resources.html [ Failure ]\n\n# Sheriff 2019-06-05\ncrbug.com/971259 media/controls/volumechange-stopimmediatepropagation.html [ Failure Pass ]\n\ncrbug.com/974710 [ Win7 ] http/tests/security/isolatedWorld/bypass-main-world-csp-iframes.html [ Failure Pass ]\n\n# Expected new failures until crbug.com/535738 is fixed. The failures also vary\n# based on codecs in build config, so just marking failure here instead of\n# specific expected text results.\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-implicit.html [ Failure ]\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-negative.html [ Failure ]\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-without-codecs-parameter.html [ Failure ]\n\n# Sheriff 2019-06-26\ncrbug.com/978966 [ Mac ] paint/markers/ellipsis-mixed-text-in-ltr-flow-with-markers.html [ Failure Pass ]\n\n# Sheriff 2019-06-27\ncrbug.com/979243 [ Mac ] editing/selection/inline-closest-leaf-child.html [ Failure Pass ]\ncrbug.com/979336 [ Mac ] fast/dynamic/anonymous-block-orphaned-lines.html [ Failure Pass ]\n\n# Sheriff 2019-07-04\ncrbug.com/981267 http/tests/devtools/persistence/persistence-move-breakpoints-on-reload.js [ Failure Pass Skip Timeout ]\n# TODO(crbug.com/980588): reenable once WPT is fixed\ncrbug.com/980588 external/wpt/screen-orientation/lock-unlock-check.html [ Failure Pass ]\n\n# Sheriff 2019-07-18\ncrbug.com/985232 [ Win7 ] external/wpt/html/semantics/scripting-1/the-script-element/module/dynamic-import/dynamic-imports-credentials.sub.html [ Failure Pass ]\n\n# Sheriff 2019-07-24\ncrbug.com/986282 external/wpt/client-hints/accept-ch-lifetime.tentative.https.html [ Failure Pass ]\n\n# Sheriff 2019-07-26\ncrbug.com/874866 [ Debug Linux ] media/controls/doubletap-to-jump-backwards.html [ Failure ]\ncrbug.com/988246 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.serviceworker.html [ Skip ]\ncrbug.com/959129 http/tests/devtools/tracing/timeline-script-parse.js [ Failure Pass ]\n\n# WebRTC tests that fails (by timing out) because `getSynchronizationSources()`\n# on the audio side needs a hardware sink for the returned dictionary entries to\n# get updated.\n#\n# Temporarily replaced by:\n# - WebRtcAudioBrowserTest.EstablishAudioOnlyCallAndVerifyGetSynchronizationSourcesWorks\n# - WebRtcBrowserTest.EstablishVideoOnlyCallAndVerifyGetSynchronizationSourcesWorks\ncrbug.com/988432 external/wpt/webrtc/RTCRtpReceiver-getSynchronizationSources.https.html [ Pass Skip Timeout ]\n\n# Sheriff 2019-07-29\ncrbug.com/937811 [ Release Win ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-3.js [ Failure Pass Skip Timeout ]\n\n# Pending enabling navigation feature\ncrbug.com/705583 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_navigate_history_go_back.html [ Skip ]\ncrbug.com/705583 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_navigate_history_go_forward.html [ Skip ]\n\n# Sheriff 2019-07-31\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-with-shadow.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-all.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-padding.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-with-mask.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-border.html [ Failure ]\n\n# Sheriff 2019-08-01\ncrbug.com/989717 [ Fuchsia ] http/tests/preload/avoid_delaying_onload_link_preload.html [ Failure Pass ]\n\n# Expected failures for forced colors mode tests when the corresponding flags\n# are not enabled.\ncrbug.com/970285 external/wpt/forced-colors-mode/* [ Failure ]\ncrbug.com/970285 virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/* [ Pass ]\n\n# Sheriff 2019-08-14\ncrbug.com/993671 [ Win ] http/tests/media/video-frame-size-change.html [ Failure Pass ]\n\n#Sherrif 2019-08-16\ncrbug.com/994692 [ Linux ] compositing/reflections/nested-reflection-anchor-point.html [ Failure Pass ]\ncrbug.com/994692 [ Win ] compositing/reflections/nested-reflection-anchor-point.html [ Failure Pass ]\n\ncrbug.com/996219 [ Win ] virtual/text-antialias/emoji-vertical-origin-visual.html [ Failure ]\n\n# Sheriff 2019-08-22\ncrbug.com/994008 [ Linux ] http/tests/devtools/elements/styles-3/styles-computed-trace.js [ Failure Pass Skip Timeout ]\ncrbug.com/994008 [ Win ] http/tests/devtools/elements/styles-3/styles-computed-trace.js [ Failure Pass Skip Timeout ]\ncrbug.com/994034 [ Linux ] http/tests/devtools/elements/styles-3/styles-add-new-rule-colon.js [ Failure Pass Skip Timeout ]\ncrbug.com/994034 [ Win ] http/tests/devtools/elements/styles-3/styles-add-new-rule-colon.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/995669 [ Win ] http/tests/media/video-throttled-load-metadata.html [ Crash Failure Pass ]\n\n# Sheriff 2019-08-26\ncrbug.com/997669 [ Win ] http/tests/devtools/search/sources-search-scope-in-files.js [ Crash Pass ]\ncrbug.com/626703 external/wpt/css/css-paint-api/custom-property-animation-on-main-thread.https.html [ Failure Pass ]\n\ncrbug.com/1015130 external/wpt/largest-contentful-paint/first-paint-equals-lcp-text.html [ Failure Pass ]\n\ncrbug.com/1000051 media/controls/volume-slider.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-09-04\ncrbug.com/1000396 [ Win ] media/video-remove-insert-repaints.html [ Failure Pass ]\n\n# Sheriff 2019-09-09\ncrbug.com/1001817 external/wpt/css/css-ui/text-overflow-016.html [ Failure Pass ]\ncrbug.com/1001816 external/wpt/css/css-masking/clip-path/clip-path-inline-003.html [ Failure Pass ]\ncrbug.com/1001814 external/wpt/css/css-masking/clip-path/clip-path-inline-002.html [ Failure Pass ]\n\n# Sheriff 2019-09-10\ncrbug.com/1002527 [ Debug ] virtual/text-antialias/large-text-composed-char.html [ Crash Pass ]\n\n# Tests fail because of missing scroll snap for #target and bugs in scrollIntoView\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-align-001.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-align-002.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-snap-001.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-snap-002.html [ Failure ]\n\n# Sheriff 2019-09-20\ncrbug.com/1005128 crypto/subtle/abandon-crypto-operation2.html [ Crash Pass ]\n\n# Sheriff 2019-09-30\ncrbug.com/1003715 [ Win10.20h2 ] http/tests/notifications/serviceworker-notification-properties.html [ Failure Pass Timeout ]\n\n\n# Sheriff 2019-10-01\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/fallback-traits-fixup.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/international/bold-bengali.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/selection/khmer-selection.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] fast/writing-mode/Kusa-Makura-background-canvas.html [ Failure ]\n\n# Sheriff 2019-10-02\ncrbug.com/1010483 [ Win ] fast/parser/residual-style-dom.html [ Crash Pass ]\ncrbug.com/1010483 [ Win ] fast/parser/residual-style-hang.html [ Crash Pass ]\ncrbug.com/1010483 [ Win ] fast/selectors/specificity-overflow.html [ Crash Pass ]\n\n# Sheriff 2019-10-16\ncrbug.com/1014812 external/wpt/animation-worklet/playback-rate.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-10-18\ncrbug.com/1015975 media/video-currentTime.html [ Failure Pass ]\n\n# Sheriff 2019-10-21\ncrbug.com/1016456 external/wpt/dom/ranges/Range-mutations-dataChange.html [ Crash Pass Skip Timeout ]\n\n# Sheriff 2019-10-30\ncrbug.com/1014810 [ Mac ] virtual/threaded/external/wpt/animation-worklet/stateful-animator.https.html [ Crash Pass Timeout ]\n\n# Temporarily disabled to a breakpoint non-determinism issue.\ncrbug.com/1019613 http/tests/devtools/sources/debugger/debug-inlined-scripts.js [ Failure Pass ]\n\n# First frame not always painted in time\ncrbug.com/1024976 media/controls/paint-controls-webkit-appearance-none-custom-bg.html [ Failure Pass ]\n\n# iframe.freeze plumbing is not hooked up at the moment.\ncrbug.com/907125 external/wpt/lifecycle/freeze.html [ Failure ] # wpt_subtest_failure\ncrbug.com/907125 external/wpt/lifecycle/child-out-of-viewport.tentative.html [ Failure Timeout ]\ncrbug.com/907125 external/wpt/lifecycle/child-display-none.tentative.html [ Failure Timeout ]\ncrbug.com/907125 external/wpt/lifecycle/worker-dispay-none.tentative.html [ Failure Timeout ]\n\n# Sheriff 2019-11-15\ncrbug.com/1025123 external/wpt/longtask-timing/longtask-in-sibling-iframe-crossorigin.html [ Failure Pass ]\ncrbug.com/1025321 [ Win ] http/tests/devtools/tracing/console-timeline.js [ Failure Pass ]\n\n# Timeout media preload test until preloading media destinations gets enabled.\ncrbug.com/977033 http/tests/priorities/resource-load-priorities-media-preload.html [ Timeout ]\n\n# Sheriff 2019-11-26\ncrbug.com/1028684 http/tests/inspector-protocol/animation/animation-release.js [ Failure Pass ]\n\n# Sheriff 2019-11-29\ncrbug.com/1019079 fast/canvas/OffscreenCanvas-placeholder-createImageBitmap.html [ Failure Pass ]\ncrbug.com/1027434 external/wpt/html/browsers/origin/cross-origin-objects/cross-origin-objects.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-12-02\ncrbug.com/1029528 [ Linux ] http/tests/devtools/network/oopif-content.js [ Failure Pass ]\n\ncrbug.com/1031345 media/controls/overlay-play-button-tap-to-hide.html [ Pass Timeout ]\n\n# Temporary SkiaRenderer regressions\ncrbug.com/1029941 [ Linux ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\ncrbug.com/1029941 [ Linux ] transforms/3d/point-mapping/3d-point-mapping-deep.html [ Failure ]\ncrbug.com/1029941 [ Linux ] virtual/exotic-color-space/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure ]\ncrbug.com/1029941 [ Win ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\n\n# Failing document policy tests\ncrbug.com/993790 external/wpt/document-policy/required-policy/separate-document-policies.html [ Failure ]\n\ncrbug.com/1134464 http/tests/images/document-policy/document-policy-oversized-images-edge-cases.php [ Pass Timeout ]\n\n# Skipping because of unimplemented behaviour\ncrbug.com/965495 external/wpt/feature-policy/experimental-features/focus-without-user-activation-enabled-tentative.sub.html [ Skip ]\ncrbug.com/965495 external/wpt/permissions-policy/experimental-features/focus-without-user-activation-enabled-tentative.sub.html [ Skip ]\n\ncrbug.com/834302 external/wpt/permissions-policy/permissions-policy-opaque-origin.https.html [ Failure ]\n\n# Temporary suppression to allow devtools-frontend changes\ncrbug.com/1029489 http/tests/devtools/elements/elements-linkify-attributes.js [ Failure Pass Skip Timeout ]\ncrbug.com/1030258 http/tests/devtools/network/network-cookies-pane.js [ Failure Pass ]\ncrbug.com/1041830 http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile.js [ Failure Pass ]\n\n# Sheriff 2019-12-13\ncrbug.com/1032451 [ Win7 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/idlharness.https.window.html [ Failure Pass ]\ncrbug.com/1033852 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure ]\n\n# Sheriff 2019-12-16\ncrbug.com/1034374 http/tests/devtools/tracing/timeline-worker-events.js [ Failure Pass ]\ncrbug.com/1034513 [ Win7 ] virtual/stable/fast/dom/Window/window-resize-contents.html [ Failure Pass ]\n\n# Assertion errors need to be fixed\ncrbug.com/1034492 http/tests/devtools/unit/filtered-item-selection-dialog-filtering.js [ Failure Pass ]\ncrbug.com/1034492 http/tests/devtools/unit/filtered-list-widget-providers.js [ Failure Pass ]\n\n# Sheriff 2019-12-23\ncrbug.com/1036626 http/tests/devtools/tracing/tracing-record-input-events.js [ Failure Pass ]\n\n# Sheriff 2019-12-27\ncrbug.com/1038091 virtual/gpu-rasterization/images/jpeg-yuv-image-decoding.html [ Failure Pass ]\ncrbug.com/1038139 [ Win ] virtual/gpu-rasterization/images/2-comp.html [ Failure Pass ]\n\n# Sheriff 2020-01-02\ncrbug.com/1038656 [ Mac ] http/tests/devtools/coverage/coverage-view-unused.js [ Failure Pass ]\ncrbug.com/1038656 [ Win ] http/tests/devtools/coverage/coverage-view-unused.js [ Failure Pass ]\n\n# Temporarily disabled to land Linkifier changes in DevTools\ncrbug.com/963183 http/tests/devtools/jump-to-previous-editing-location.js [ Failure Pass ]\n\n# Broken in https://chromium-review.googlesource.com/c/chromium/src/+/1636716\ncrbug.com/963183 http/tests/devtools/sources/debugger-breakpoints/disable-breakpoints.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/836300 fast/css3-text/css3-text-decoration/text-decoration-skip-ink-links.html [ Failure Pass ]\n\n# Sheriff 2020-01-14\ncrbug.com/1041973 external/wpt/html/semantics/forms/constraints/form-validation-reportValidity.html [ Failure Pass ]\n\n# Disable for landing devtools changes\ncrbug.com/1006759 http/tests/devtools/console/argument-hints.js [ Failure Pass ]\n\n# Failing origin trial for css properties test\ncrbug.com/1041993 http/tests/origin_trials/sample-api-script-added-after-css-declaration.html [ Failure ]\n\n# Sheriff 2020-01-20\ncrbug.com/1043357 http/tests/credentialmanager/credentialscontainer-get-with-virtual-authenticator.html [ Failure Pass Timeout ]\n\n# Ref_Tests which fail when SkiaRenderer is enable, and which cannot be\n# rebaselined. TODO(jonross): triage these into any existing bugs or file more\n# specific bugs.\ncrbug.com/1043675 [ Linux ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1043675 [ Linux ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Linux ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Linux ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1043675 [ Linux ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1043675 [ Linux ] http/tests/media/video-frame-size-change.html [ Failure ]\ncrbug.com/1043675 [ Linux ] svg/custom/svg-root-with-opacity.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Win ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1043675 [ Win ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1043675 [ Win ] svg/custom/svg-root-with-opacity.html [ Failure ]\n\n# Required to land DevTools change\ncrbug.com/106759 http/tests/devtools/command-line-api-inspect.js [ Failure Pass ]\ncrbug.com/106759 http/tests/devtools/sources/debugger-console/debugger-command-line-api.js [ Failure Pass ]\n\ncrbug.com/989665 [ Mac ] external/wpt/resource-timing/resource_timing_buffer_full_eventually.html [ Crash Pass ]\ncrbug.com/989665 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/resource_timing_buffer_full_eventually.html [ Crash Pass ]\n\n# Sheriff 2020-01-23\ncrbug.com/1044505 http/tests/devtools/tracing-session-id.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/1046784 http/tests/devtools/oopif/oopif-storage.js [ Failure Pass ]\ncrbug.com/1046784 http/tests/inspector-protocol/service-worker/target-reloaded-after-crash.js [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-28\ncrbug.com/1046201 [ Mac ] fast/forms/calendar-picker/calendar-picker-appearance-zoom125.html [ Failure Pass ]\ncrbug.com/1046440 fast/loader/submit-form-while-parsing-2.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-29\ncrbug.com/995663 [ Linux ] http/tests/media/autoplay/document-user-activation-cross-origin-feature-policy-header.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-30\ncrbug.com/1047208 http/tests/serviceworker/update-served-from-cache.html [ Failure Pass ]\ncrbug.com/1047293 [ Mac ] editing/pasteboard/pasteboard_with_unfocused_selection.html [ Failure Pass ]\n\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-004.tentative.html [ Failure ]\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-005.tentative.html [ Failure ]\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-animated-002.html [ Failure ]\n\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-004.tentative.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-005.tentative.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-animated-002.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/preserve-3d-flat-grouping-properties-containing-block.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-abspos.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-fixpos.html [ Pass ]\ncrbug.com/1008483 [ Fuchsia ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.12 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.13 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.14 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.15 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac11 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Win ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Fuchsia ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.12 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.13 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.14 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.15 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac11 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Win ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/compositing/overflow/scroll-parent-with-non-stacking-context-composited-ancestor.html [ Failure ]\ncrbug.com/1008483 virtual/backface-visibility-interop/paint/invalidation/stacking-context-lost.html [ Failure ]\ncrbug.com/1008483 virtual/backface-visibility-interop/paint/invalidation/multicol/multicol-as-paint-container.html [ Failure ]\n\n# Swiftshader issue.\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-innerwidth.html [ Crash Skip Timeout ]\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-screeny.html [ Crash Skip Timeout ]\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-width.html [ Crash Skip Timeout ]\ncrbug.com/1048149 [ Mac ] http/tests/inspector-protocol/emulation/emulation-oopifs.js [ Crash ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/calendar-picker-appearance.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/calendar-picker-touch-operations.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/date-picker-choose-default-value-after-set-value.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/month-picker-appearance.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/month-picker-appearance-step.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-appearance-zoom125.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-top-left-selection-position-after-reopen.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-zoom150-bottom-edge-no-nan.html [ Crash Pass ]\ncrbug.com/1048149 crbug.com/1050121 [ Mac ] fast/forms/month/month-picker-appearance-zoom150.html [ Crash Failure Pass ]\n\n# SwANGLE issues\ncrbug.com/1204234 css3/blending/background-blend-mode-single-accelerated-element.html [ Failure ]\n\n# Upcoming DevTools change\ncrbug.com/1006759 http/tests/devtools/profiler/cpu-profiler-save-load.js [ Failure Pass Skip Timeout ]\ncrbug.com/1006759 http/tests/devtools/profiler/heap-snapshot-loader.js [ Failure Pass ]\n\n# Temporarily disabled to land changes in DevTools, multiple dependent CLs\n# [1] https://chromium-review.googlesource.com/c/devtools/devtools-frontend/+/2049183\n# [2] https://chromium-review.googlesource.com/c/devtools/devtools-frontend/+/2119670\ncrbug.com/1064472 http/tests/devtools/elements/elements-tab-stops.js [ Failure Pass ]\n\ncrbug.com/1049456 fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass ]\ncrbug.com/1081277 fast/scrolling/events/scrollend-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass ]\ncrbug.com/1080997 fast/scrolling/events/scrollend-event-fired-to-scrolled-element.html [ Failure Pass ]\n\n# \"in-multicol-child.html\" is laid out in legacy layout due by \"multicol\" but\n# reference is laid out by LayoutNG.\ncrbug.com/829028 [ Mac ] editing/caret/in-multicol-child.html [ Failure ]\n\n# Flaky tests blocking WPT import\ncrbug.com/1054577 [ Linux ] virtual/storage-access-api/external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\ncrbug.com/1054577 [ Win ] virtual/storage-access-api/external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\ncrbug.com/1054577 [ Mac ] external/wpt/media-source/mediasource-detach.html [ Failure Pass ]\ncrbug.com/1054577 [ Mac ] external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\n\n# Failing tests because of enabling scroll unification flag\ncrbug.com/476553 virtual/scroll-unification/external/wpt/dom/events/scrolling/overscroll-event-fired-to-scrolled-element.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/hit-test-counts.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-cursor-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/platform-wheelevent-paging-xy-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/remove-child-onscroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/scroll-without-mouse-lacks-mousemove-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/touch-latched-scroll-node-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/focus-selectionchange-on-tap.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar-mainframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar-textarea.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-click-common-ancestor.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-frame-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-scroll-input-field.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-scroll-listbox.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/wheel/wheel-latched-scroll-node-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/resize-corner-tracking-touch.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/subpixel-overflow-mouse-drag.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/destroy-middle-click-locked-target-crash.html [ Crash Failure Pass Skip Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/scroll-cross-origin-iframes.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/scroll-cross-origin-iframes-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/gesture-events-scrolled.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/gesture-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/mouse-click-iframe-to-plugin.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/sequential-focus.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/transformed-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/listbox-scrollbar-combinations.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-layout_ng_block_frag/fast/forms/fieldset/fieldset-legend-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-deleted-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Crash Failure Pass Skip Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/auto-scrollbar-fades-out.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/basic-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/disabled-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/hidden-scrollbars-invisible.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/listbox-scrollbar-combinations.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/overlay-scrollbars-within-overflow-scroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-buttons.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-corner-colors.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-orientation.html [ Crash Failure Pass Timeout ]\n\ncrbug.com/1253630 [ Win ] virtual/scroll-unification-overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure Pass ]\ncrbug.com/1098383 [ Mac ] fast/events/scrollbar-double-click.html [ Failure Pass ]\n\n# Sheriff 2020-02-07\n\ncrbug.com/1050039 [ Mac ] fast/events/onbeforeunload-focused-iframe.html [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1006759 http/tests/devtools/elements/styles-1/edit-value-url-with-color.js [ Skip ]\ncrbug.com/1006759 http/tests/devtools/sources/css-outline-dialog.js [ Skip ]\n\n#Mixed content autoupgrades make these tests not applicable, since they check for mixed content audio/video\ncrbug.com/1025274 external/wpt/mixed-content/gen/top.meta/unset/audio-tag.https.html [ Failure ]\ncrbug.com/1025274 external/wpt/mixed-content/gen/top.meta/unset/video-tag.https.html [ Failure ]\ncrbug.com/1025274 http/tests/security/mixedContent/insecure-audio-video-in-main-frame.html [ Failure ]\n\n# Sheriff 2020-02-19\ncrbug.com/1053903 external/wpt/webxr/events_referenceSpace_reset_inline.https.html [ Failure Pass Timeout ]\n\n### Subset of scrolling tests that are failing when percent-based scrolling feature is enabled\n# Please look at FlagExpectations/enable-percent-based-scrolling for a full list of known regressions\n\n# fast/events/wheel\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/events/wheel/wheel-in-scrollbar.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/events/wheel/wheelevent-ctrl.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheel-in-scrollbar.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheelevent-ctrl.html [ Failure Timeout ]\n# Timeout only for compositor-threaded\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheel-latched-scroll-node-removed.html [ Timeout ]\n\n# fast/scrolling\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/hover-during-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/overflow-scrollability.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/fractional-scroll-offset-document.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/scroll-animation-on-by-default.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/wheel-scroll-latching-on-scrollbar.html [ Failure Pass ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/hover-during-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/overflow-scrollability.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/fractional-scroll-offset-document.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/scroll-animation-on-by-default.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/wheel-scroll-latching-on-scrollbar.html [ Failure Pass ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/mouse-scrolling-over-standard-scrollbar.html [ Failure Pass ]\n\n# fast/scrolling/events\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-document.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-window.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-document.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-window.html [ Failure Timeout ]\n\n### END PERCENT BASED SCROLLING TEST FAILURES\n\n# Sheriff 2020-02-28\ncrbug.com/1056879 [ Win7 ] external/wpt/webxr/xrSession_requestAnimationFrame_getViewerPose.https.html [ Failure Pass Timeout ]\ncrbug.com/1053861 http/tests/devtools/network/network-initiator-chain.js [ Failure Pass ]\n\ncrbug.com/1057822 http/tests/misc/synthetic-gesture-initiated-in-cross-origin-frame.html [ Crash Failure Pass ]\ncrbug.com/1131977 [ Mac ] http/tests/misc/hover-state-recomputed-on-main-frame.html [ Timeout ]\ncrbug.com/1057351 virtual/threaded-no-composited-antialiasing/animations/responsive/interpolation/offset-rotate-responsive.html [ Failure Pass ]\ncrbug.com/1057351 virtual/threaded-no-composited-antialiasing/animations/stability/empty-keyframes.html [ Failure Pass ]\n\n### sheriff 2020-03-03\ncrbug.com/1058073 [ Mac ] http/tests/devtools/service-workers/sw-navigate-useragent.js [ Failure Pass ]\ncrbug.com/1058137 virtual/threaded/http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\n\n# Ecosystem-Infra Sheriff 2020-03-04\ncrbug.com/1058403 external/wpt/webaudio/the-audio-api/the-audioworklet-interface/suspended-context-messageport.https.html [ Crash Failure ]\n\n# Ecosystem-Infra Sheriff 2020-04-15\ncrbug.com/1070995 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/blob-data.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-03-05\ncrbug.com/1058073 [ Mac10.14 ] accessibility/content-changed-notification-causes-crash.html [ Failure Pass ]\n\n# Sheriff 2020-03-06\ncrbug.com/1059262 http/tests/worklet/webexposed/global-interface-listing-paint-worklet.html [ Failure Pass ]\ncrbug.com/1058244 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/scrollbar-rtl-manipulation.html [ Failure Pass ]\n\n# Sheriff 2020-03-08\ncrbug.com/1059645 external/wpt/pointerevents/pointerevent_coalesced_events_attributes.html [ Failure Pass ]\n\n# Failing on Fuchsia due to dependency on FuchsiaMediaResourceProvider, which is not implemented in content_shell.\ncrbug.com/1061226 [ Fuchsia ] fast/mediastream/MediaStream-onactive-oninactive.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/html/cross-origin-embedder-policy/credentialless/video.tentative.https.window.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/mediacapture-streams/MediaStream-idl.https.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/webaudio/the-audio-api/the-audioworklet-interface/baseaudiocontext-audioworklet.https.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/webaudio/the-audio-api/the-pannernode-interface/panner-equalpower-stereo.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] wpt_internal/speech/scripted/speechrecognition-restart-onend.html [ Skip ]\n\n# Sheriff 2020-03-13\ncrbug.com/1061043 fast/plugins/keypress-event.html [ Failure Pass ]\ncrbug.com/1061131 [ Mac ] editing/selection/replaced-boundaries-1.html [ Failure Pass ]\n\ncrbug.com/1058888 [ Linux ] animations/animationworklet/peek-updated-composited-property-on-main.html [ Failure Pass ]\n\n# [virtual/...]external/wpt/web-animation test flakes\ncrbug.com/1064065 virtual/threaded/external/wpt/css/css-animations/event-dispatch.tentative.html [ Failure Pass ]\n\n# Sheriff 2020-04-01\ncrbug.com/1066122 virtual/threaded-no-composited-antialiasing/animations/events/animation-iteration-event.html [ Failure Pass ]\ncrbug.com/1066732 fast/events/platform-wheelevent-paging-x-in-scrolling-div.html [ Failure Pass ]\ncrbug.com/1066732 fast/events/platform-wheelevent-paging-y-in-scrolling-div.html [ Failure Pass ]\n\n# Temporarily disabled for landing changes to DevTools frontend\ncrbug.com/1066579 http/tests/devtools/har-importer.js [ Failure Pass ]\n\n# Flaky test, happens only on Mac 10.13.\n# The \"timeout\" was detected by the wpt-importer bot.\ncrbug.com/1069714 [ Mac10.13 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Failure Pass Skip Timeout ]\n\n# COOP top navigation:\ncrbug.com/1153648 external/wpt/html/cross-origin-opener-policy/navigate-top-to-aboutblank.https.html [ Failure ]\n\n# Stale revalidation shouldn't be blocked:\ncrbug.com/1079188 external/wpt/fetch/stale-while-revalidate/revalidate-not-blocked-by-csp.html [ Timeout ]\n\n# Web Audio active processing tests\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-audiobuffersourcenode-interface/active-processing.https.html [ Crash Failure Pass ]\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-channelmergernode-interface/active-processing.https.html [ Crash Failure Pass ]\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-convolvernode-interface/active-processing.https.html [ Crash Failure Pass ]\n\n# Sheriff 2020-04-22\n# Flaky test.\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/* [ Failure Pass ]\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/before-prepare-iframe-success-external-module.html [ Failure Pass ]\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/before-prepare-iframe-fetch-error-external-module.html [ Failure Pass ]\n\n# Sheriff 2020-04-23\ncrbug.com/1073792 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/events/scrollend-event-fired-after-snap.html [ Failure Pass ]\n\n# the inspector-protocol/media tests only work in the virtual test environment.\ncrbug.com/1074129 inspector-protocol/media/media-player.js [ TIMEOUT ]\n\n# Sheriff 2020-05-04\ncrbug.com/952717 [ Debug ] http/tests/xmlhttprequest/redirect-cross-origin-post.html [ Failure Pass ]\n\n# Sheriff 2020-05-18\ncrbug.com/1084256 [ Linux ] http/tests/misc/insert-iframe-into-xml-document-before-xsl-transform.html [ Failure Pass ]\ncrbug.com/1084256 [ Mac ] http/tests/misc/insert-iframe-into-xml-document-before-xsl-transform.html [ Failure Pass ]\ncrbug.com/1084276 [ Mac ] http/tests/security/offscreencanvas-placeholder-read-blocked-no-crossorigin.html [ Crash Failure Pass ]\n\n# Disabled to prepare fixing the tests in V8\ncrbug.com/v8/10556 external/wpt/wasm/jsapi/instance/constructor-caching.any.html [ Failure Pass ]\ncrbug.com/v8/10556 external/wpt/wasm/jsapi/instance/constructor-caching.any.worker.html [ Failure Pass ]\n\n# Temporarily disabled to land the new wasm exception handling JS API\ncrbug.com/v8/11992 external/wpt/wasm/jsapi/exception/* [ Skip ]\ncrbug.com/v8/11992 external/wpt/wasm/jsapi/tag/* [ Skip ]\n\n# Disabled for landing DevTools change\ncrbug.com/1011811 http/tests/devtools/network/network-xhr-data-received-async-response-type-blob.js [ Failure Pass ]\ncrbug.com/1011811 http/tests/devtools/network/download.js [ Failure Pass ]\ncrbug.com/1011811 http/tests/devtools/sxg/sxg-disable-cache.js [ Failure Pass ]\n\ncrbug.com/1080609 virtual/threaded/external/wpt/scroll-animations/element-based-offset.html [ Failure Pass ]\ncrbug.com/1080609 virtual/threaded/external/wpt/scroll-animations/element-based-offset-clamp.html [ Failure Pass ]\n\ncrbug.com/971031 [ Mac ] fast/dom/timer-throttling-hidden-page.html [ Failure Pass ]\n\ncrbug.com/1071189 [ Debug ] editing/selection/programmatic-selection-on-mac-is-directionless.html [ Pass Timeout ]\n\n# Sheriff 2020-05-27\ncrbug.com/1046784 http/tests/devtools/elements/styles/stylesheet-tracking.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2020-05-28\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit.html [ Failure ]\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit-3.html [ Failure ]\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit-to-different-origin-frame.html [ Failure ]\n\n# Sheriff 2020-05-29\ncrbug.com/1084637 compositing/video/video-reflection.html [ Failure Pass ]\ncrbug.com/1083362 compositing/reflections/load-video-in-reflection.html [ Failure Pass ]\ncrbug.com/1087471 [ Linux ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Failure Pass ]\n\n# Sheriff 2020-06-01\n# Also see crbug.com/626703, these timed-out before but now fail as well.\ncrbug.com/1088475 [ Linux ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure Pass ]\ncrbug.com/1088475 [ Linux ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure Pass ]\n\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvas-zero-size-readback.html [ Crash Pass ]\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvasClearRect.html [ Failure Pass ]\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvasClearRectPartial.html [ Failure Pass ]\n\n# Sheriff 2020-06-03\ncrbug.com/1007228 [ Mac ] external/wpt/fullscreen/api/element-request-fullscreen-and-move-to-iframe-manual.html [ Failure Pass ]\n\n# Disabled for landing DevTools change\ncrbug.com/1011811 http/tests/devtools/persistence/automapping-sourcemap.js [ Failure Pass ]\n\n# Sheriff 2020-06-06\ncrbug.com/1091843 fast/canvas/color-space/canvas-createImageBitmap-p3.html [ Failure Pass ]\n\n# Flaky test\ncrbug.com/1093198 external/wpt/webrtc/RTCPeerConnection-addIceCandidate-timing [ Failure Pass ]\n\n# Sheriff 2020-06-09\ncrbug.com/1093003 [ Mac ] external/wpt/html/rendering/replaced-elements/embedded-content/cross-domain-iframe.sub.html [ Failure Pass ]\n\n# Sheriff 2020-06-11\ncrbug.com/1093026 [ Linux ] http/tests/security/offscreencanvas-placeholder-read-blocked-no-crossorigin.html [ Failure Pass ]\n\n# Ecosystem-Infra Rotation 2020-06-15\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-content-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-border-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-stroke-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-fill-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-border-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-content-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-stroke-box.html [ Failure ]\n\n# Temporarily disable test to allow devtools-frontend changes\ncrbug.com/1095733 http/tests/devtools/tabbed-pane-closeable-persistence.js [ Skip ]\n\n# Sheriff 2020-06-17\ncrbug.com/1095969 [ Mac ] fast/canvas/OffscreenCanvas-MessageChannel-transfer.html [ Failure Pass ]\ncrbug.com/1095969 [ Linux ] fast/canvas/OffscreenCanvas-MessageChannel-transfer.html [ Failure Pass ]\ncrbug.com/1092975 http/tests/inspector-protocol/target/target-expose-devtools-protocol.js [ Failure Pass ]\n\ncrbug.com/1096493 external/wpt/webaudio/the-audio-api/the-audiocontext-interface/processing-after-resume.https.html [ Failure ]\n\ncrbug.com/1097005 http/tests/devtools/console/console-object-preview.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1097005 http/tests/devtools/console/console-preserve-scroll.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1097005 http/tests/devtools/console/console-search.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/1093445 http/tests/loading/pdf-commit-load-callbacks.html [ Failure Pass ]\ncrbug.com/1093497 http/tests/history/client-redirect-after-push-state.html [ Failure Pass ]\n\n# Tests blocking WPT importer\ncrbug.com/1098844 external/wpt/wasm/jsapi/functions/entry.html [ Crash Pass Timeout ]\ncrbug.com/1098844 external/wpt/wasm/jsapi/functions/entry-different-function-realm.html [ Crash Pass Timeout ]\n\n#Sheriff 2020-06-25\ncrbug.com/1010170 media/video-played-reset.html [ Failure Pass ]\n\n# Sheriff 2020-07-07\n# Additionally disabled on mac due to crbug.com/988248\ncrbug.com/1083302 media/controls/volumechange-muted-attribute.html [ Failure Pass ]\n\n# Sheriff 2020-07-10\ncrbug.com/1104135 [ Mac10.14 ] virtual/controls-refresh-hc/fast/forms/color-scheme/range/range-pressed-state.html [ Failure Pass ]\n\ncrbug.com/1102167 external/wpt/fetch/redirect-navigate/preserve-fragment.html [ Pass Skip Timeout ]\n\n# Sheriff 2020-07-13\n\ncrbug.com/1104910 [ Mac ] external/wpt/webaudio/the-audio-api/the-oscillatornode-interface/osc-basic-waveform.html [ Failure Pass ]\ncrbug.com/1104910 fast/peerconnection/RTCPeerConnection-reload-interesting-usage.html [ Failure Pass ]\ncrbug.com/1104910 [ Mac ] editing/selection/selection-background.html [ Failure Pass ]\ncrbug.com/1104910 [ Linux ] external/wpt/referrer-policy/gen/worker-module.http-rp/unsafe-url/worker-classic.http.html [ Failure Pass ]\ncrbug.com/1104910 [ Linux ] external/wpt/referrer-policy/gen/worker-module.http-rp/unset/worker-module.http.html [ Failure Pass ]\n\n# Sheriff 2020-07-14\n\ncrbug.com/1105271 [ Mac ] scrollbars/custom-scrollbar-adjust-on-inactive-pseudo.html [ Failure Pass ]\ncrbug.com/1105274 http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-no-url-end-to-end.js [ Failure Pass Skip Timeout ]\ncrbug.com/1105275 [ Mac ] fast/dom/Window/window-onFocus.html [ Failure Pass ]\n\n# Temporarily disable tests to allow fixing of devtools path escaping\ncrbug.com/1094436 http/tests/devtools/overrides/project-added-with-existing-files-bind.js [ Failure Pass Skip Timeout ]\ncrbug.com/1094436 http/tests/devtools/persistence/automapping-urlencoded-paths.js [ Failure Pass ]\ncrbug.com/1094436 http/tests/devtools/sources/debugger/navigator-view.js [ Crash Failure Pass ]\n\n# This test fails due to the linked bug since input is now routed through the compositor.\ncrbug.com/1112508 fast/forms/number/number-wheel-event.html [ Failure ]\n\n# Sheriff 2020-07-20\ncrbug.com/1107722 [ Mac ] http/tests/devtools/tracing/timeline-time/timeline-time.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-layout/timeline-layout-with-invalidations.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-style/timeline-style-recalc-with-invalidations.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-style/timeline-style-recalc-with-invalidator-invalidations.js [ Failure Pass ]\n\n# Sheriff 2020-07-22\ncrbug.com/1107722 [ Mac ] virtual/threaded/http/tests/devtools/tracing/timeline-misc/timeline-event-causes.js [ Failure Pass ]\ncrbug.com/1107722 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-script-id.js [ Failure Pass ]\n\n# Failing on Webkit Linux Leak\ncrbug.com/1046784 [ Linux ] http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\ncrbug.com/1046784 [ Linux ] http/tests/devtools/tracing/timeline-misc/timeline-event-causes.js [ Failure Pass ]\n\n# Sheriff 2020-07-23\ncrbug.com/1108786 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-gc-event.js [ Failure Pass ]\ncrbug.com/1108786 [ Linux ] http/tests/devtools/tracing/timeline-js/timeline-gc-event.js [ Failure Pass ]\n\n# Sheriff 2020-07-27\ncrbug.com/1107944 [ Mac ] http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\n\ncrbug.com/1092794 fast/canvas/OffscreenCanvas-2d-placeholder-willReadFrequently.html [ Failure Pass ]\n\n# Sheriff 2020-08-03\ncrbug.com/1106429 virtual/percent-based-scrolling/max-percent-delta-page-zoom.html [ Failure Pass ]\n\n# Sheriff 2020-08-05\ncrbug.com/1113050 fast/borders/border-radius-mask-video-ratio.html [ Failure Pass ]\ncrbug.com/1113127 fast/canvas/downsample-quality.html [ Crash Failure Pass ]\n\n# Sheriff 2020-08-06\ncrbug.com/1113791 [ Win ] media/video-zoom.html [ Failure Pass ]\n\n# Virtual dark mode tests currently fails.\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/date-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/month-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/time-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/week-suggestion-picker-appearance.html [ Failure ]\n\n# Sheriff 2020-08-11\ncrbug.com/1095540 virtual/threaded-prefer-compositing/fast/scrolling/resize-corner-tracking-touch.html [ Failure Pass ]\n\n# Sheriff 2020-08-17\ncrbug.com/1069546 [ Mac ] compositing/layer-creation/overflow-scroll-overlap.html [ Failure Pass ]\n\n# Unexpected demuxer success after M86 FFmpeg roll.\ncrbug.com/1117613 media/video-error-networkState.html [ Failure Timeout ]\n\n# Sheriff 2020-0-21\ncrbug.com/1120330 virtual/threaded/external/wpt/feature-policy/experimental-features/vertical-scroll-disabled-scrollbar-tentative.html [ Failure Pass ]\ncrbug.com/1120330 virtual/threaded/external/wpt/permissions-policy/experimental-features/vertical-scroll-disabled-scrollbar-tentative.html [ Failure Pass ]\n\ncrbug.com/1122582 external/wpt/html/cross-origin-opener-policy/coop-csp-sandbox-navigate.https.html [ Failure Pass ]\n\n# Sheriff 2020-09-09\ncrbug.com/1126709 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure Pass ]\ncrbug.com/1126709 [ Win ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure Pass ]\n\n# Sheriff 2020-09-17\ncrbug.com/1129347 [ Debug Mac10.13 ] http/tests/devtools/persistence/persistence-external-change-breakpoints.js [ Failure Pass ]\n### virtual/scroll-unification/fast/scrolling/scrollbars/\nvirtual/scroll-unification/fast/scrolling/scrollbars/mouse-scrolling-on-div-scrollbar.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-occluded-by-div.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-rtl-manipulation.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/dsf-ready/mouse-interactions-dsf-2.html [ Failure ]\n\n# Sheriff 2020-09-21\ncrbug.com/1130500 [ Debug Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/xhr/xhr-timeout-longtask.any.worker.html [ Failure Pass ]\n\n# Sheriff 2020-09-22\ncrbug.com/1130533 [ Mac ] external/wpt/xhr/xhr-timeout-longtask.any.html [ Failure Pass ]\n\n# Sheriff 2020-09-22\ncrbug.com/1130533 [ Mac ] external/wpt/xhr/xhr-timeout-longtask.any.worker.html [ Failure Pass ]\n\n# Sheriff 2020-09-23\ncrbug.com/1131551 compositing/transitions/transform-on-large-layer.html [ Failure Pass Timeout ]\ncrbug.com/1057060 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\ncrbug.com/1057060 virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\ncrbug.com/1057060 virtual/scroll-unification/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\n\n# Transform animation reftests\ncrbug.com/1133901 virtual/threaded/external/wpt/css/css-transforms/animation/transform-interpolation-translate-em.html [ Failure ]\ncrbug.com/1133901 virtual/composite-relative-keyframes/external/wpt/css/css-transforms/animation/transform-interpolation-translate-em.html [ Failure ]\n\ncrbug.com/1136163 [ Linux ] external/wpt/pointerevents/pointerlock/pointerevent_movementxy_with_pointerlock.html [ Failure ]\n\n# Mixed content autoupgrades make these tests not applicable, since they check for mixed content images, the tests can be removed when cleaning up pre autoupgrades mixed content code.\ncrbug.com/1042877 external/wpt/fetch/cross-origin-resource-policy/scheme-restriction.https.window.html [ Failure ]\ncrbug.com/1042877 external/wpt/mixed-content/gen/top.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/mixed-content/imageset.https.sub.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/iframe-blank-inherit.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/srcdoc-inherit.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/top.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-css-image-with-reload.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-iframe.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame-allowed.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame-blocked.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/preload-insecure-image-in-main-frame-blocked.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-blocked.https.html [ Timeout ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-in-frame-blocked.https.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-reportonly.https.php [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-via-pref-image-blocked.https.html [ Failure ]\n\ncrbug.com/1046784 http/tests/devtools/sources/debugger/anonymous-script-with-source-map-breakpoint.js [ Failure Pass ]\n\n# Mixed content autoupgrades cause test to fail because test relied on http subresources to test a different origin, needs to be changed to not rely on HTTP URLs.\ncrbug.com/1042877 http/tests/security/img-crossorigin-redirect-credentials.https.html [ Failure ]\n\n# Sheriff 2020-10-09\ncrbug.com/1136687 external/wpt/pointerevents/pointerlock/pointerevent_pointerlock_supercedes_capture.html [ Failure Pass ]\ncrbug.com/1136726 [ Linux ] virtual/gpu-rasterization/images/imagemap-focus-ring-outline-color-not-inherited-from-map.html [ Failure ]\n\n# Sheriff 2020-10-14\ncrbug.com/1138591 [ Mac10.15 ] http/tests/dom/raf-throttling-out-of-view-cross-origin-page.html [ Failure ]\n\n# WebRTC: Payload demuxing times out in Plan B. This is expected.\ncrbug.com/1139052 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-demuxing.html [ Skip Timeout ]\n\ncrbug.com/1137228 [ Mac ] external/wpt/infrastructure/testdriver/click_iframe_crossorigin.sub.html [ Failure Pass ]\n\n# Rename document.featurePolicy to document.permissionsPolicy\ncrbug.com/1123116 external/wpt/permissions-policy/payment-supported-by-permissions-policy.tentative.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-all.https.sub.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-self.https.sub.html [ Failure Skip Timeout ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-some-override.https.sub.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-some.https.sub.html [ Failure Skip Timeout ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-disallowed-for-all.https.sub.html [ Failure Skip Timeout ]\n\n# Rename \"feature-policy-violation\" report type to \"permissions-policy-violation\" report type.\ncrbug.com/1123116 external/wpt/feature-policy/reporting/camera-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/encrypted-media-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/fullscreen-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/generic-sensor-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/geolocation-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/microphone-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/midi-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/payment-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/picture-in-picture-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/screen-wake-lock-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/serial-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/sync-xhr-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/usb-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/xr-reporting.https.html [ Timeout ]\n\ncrbug.com/1159445 [ Mac ] paint/invalidation/repaint-overlay/layers-overlay.html [ Failure ]\n\ncrbug.com/1140329 http/tests/devtools/network/network-filter-service-worker.js [ Failure Pass Skip Timeout ]\n\n#Sheriff 2020-10-21\ncrbug.com/1141206 scrollbars/overflow-scrollbar-combinations.html [ Failure Pass ]\n\n#Sheriff 2020-10-26\ncrbug.com/1142877 [ Mac ] external/wpt/mediacapture-fromelement/capture.html [ Crash Failure Pass ]\ncrbug.com/1142877 [ Debug Linux ] external/wpt/mediacapture-fromelement/capture.html [ Crash Failure Pass ]\n\n#Sheriff 2020-10-29\ncrbug.com/1143720 [ Win7 ] external/wpt/media-source/mediasource-detach.html [ Failure Pass ]\n\n# Sheriff 2020-11-03\ncrbug.com/1145019 [ Win7 ] fast/events/updateLayoutForHitTest.html [ Failure ]\n\n# Sheriff 2020-11-04\ncrbug.com/1144273 http/tests/devtools/sources/debugger-ui/continue-to-location-markers-in-top-level-function.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2020-11-06\ncrbug.com/1146560 [ Win ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\ncrbug.com/1170041 [ Linux ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\ncrbug.com/1170041 [ Mac ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\n\n# Sheriff 2020-11-12\ncrbug.com/1148259 [ Mac ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/javascript-url-return-value-handling-dynamic.html [ Failure ]\n\n# Sheriff 2020-11-19\ncrbug.com/1150700 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/registration-updateviacache.https.html [ Failure Pass Skip Timeout ]\ncrbug.com/1150700 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/update-bytecheck-cors-import.https.html [ Pass Skip Timeout ]\n\n# Disable flaky tests when scroll unification is enabled\ncrbug.com/1130020 virtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-mousedown-move-mouseup.html [ Crash Failure Pass Timeout ]\ncrbug.com/1130020 virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/scrollbar-mousedown-move-mouseup.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-11-16\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/debugger-inline-values-frames.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/reveal-execution-line.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149987 external/wpt/websockets/Create-blocked-port.any.html [ Pass Timeout ]\ncrbug.com/1149987 external/wpt/websockets/Create-blocked-port.any.worker.html [ Pass Timeout ]\ncrbug.com/1150475 fast/dom/open-and-close-by-DOM.html [ Failure Pass ]\n\n#Sheriff 2020-11-23\ncrbug.com/1152088 [ Debug Mac10.13 ] fast/dom/cssTarget-crash.html [ Pass Timeout ]\n# Sheriff 2021-01-22 added Timeout per crbug.com/1046784:\ncrbug.com/1149734 http/tests/devtools/sources/source-frame-toolbar-items.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-frameworks/frameworks-sourcemap.js [ Failure Pass ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/continue-to-location-markers.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/inline-scope-variables.js [ Failure Pass Skip Timeout ]\n\n#Sheriff 2020-11-24\ncrbug.com/1087242 http/tests/inspector-protocol/service-worker/network-extrainfo-main-request.js [ Crash Failure Pass Timeout ]\ncrbug.com/1149771 [ Linux ] virtual/android/fullscreen/video-scrolled-iframe.html [ Failure Pass Skip Timeout ]\ncrbug.com/1152532 http/tests/devtools/service-workers/user-agent-override.js [ Pass Skip Timeout ]\ncrbug.com/1134459 accessibility/aom-click-action.html [ Pass Timeout ]\n\n#Sheriff 2020-11-26\ncrbug.com/1032451 virtual/threaded-no-composited-antialiasing/animations/stability/animation-iteration-event-destroy-renderer.html [ Pass Skip Timeout ]\ncrbug.com/931646 [ Mac ] http/tests/preload/meta-viewport-link-headers-imagesrcset.html [ Failure Pass ]\n\n# Win7 suggestion picker appearance tests have a scrollbar flakiness issue\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-locale-hebrew.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-locale-hebrew.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance.html [ Failure Pass ]\n\ncrbug.com/681468 fast/forms/suggestion-picker/date-suggestion-picker-appearance-zoom125.html [ Failure Pass ]\ncrbug.com/681468 fast/forms/suggestion-picker/date-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\n\n# These tests will only run in the virtual test suite where the frequency\n# capping for overlay popup detection is disabled. This eliminates the need\n# for waitings in web tests to trigger a detection event.\ncrbug.com/1032681 http/tests/subresource_filter/overlay_popup_ad/* [ Skip ]\ncrbug.com/1032681 virtual/disable-frequency-capping-for-overlay-popup-detection/http/tests/subresource_filter/overlay_popup_ad/* [ Pass ]\n\n# Sheriff 2020-12-03\ncrbug.com/1154940 [ Win7 ] inspector-protocol/overlay/overlay-persistent-overlays-with-emulation.js [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1144171 http/tests/devtools/report-API-errors.js [ Skip ]\n\n# Sheriff 2020-12-11\n# Flaking on Linux Trusty\ncrbug.com/1157849 [ Linux Release ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Pass Skip Timeout ]\ncrbug.com/1157861 http/tests/devtools/extensions/extensions-resources.js [ Failure Pass ]\ncrbug.com/1157861 http/tests/devtools/console/paintworklet-console-selector.js [ Failure Pass ]\n\n# Wpt importer Sheriff 2020-12-11\ncrbug.com/626703 [ Linux ] wpt_internal/storage/estimate-usage-details-filesystem.https.tentative.any.html [ Failure Pass ]\n\n# Wpt importer sheriff 2020-12-23\ncrbug.com/1161590 external/wpt/html/semantics/forms/textfieldselection/select-event.html [ Failure Skip Timeout ]\n\n# Wpt importer sheriff 2021-01-05\ncrbug.com/1163175 external/wpt/css/css-pseudo/first-letter-punctuation-and-space.html [ Failure ]\n\n# Sheriff 2020-12-22\ncrbug.com/1161301 [ Mac10.15 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Pass Timeout ]\ncrbug.com/1161301 [ Mac10.14 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Failure Pass Timeout ]\n\n# Failing on Webkit Linux Leak only:\ncrbug.com/1046784 http/tests/devtools/tracing/timeline-receive-response-event.js [ Failure Pass ]\n\n# Sheriff 2021-01-12\ncrbug.com/1163793 http/tests/inspector-protocol/page/page-events-associated.js [ Failure Pass ]\n\n# Sheriff 2021-01-13\ncrbug.com/1164459 [ Mac10.15 ] external/wpt/preload/download-resources.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-01-15\ncrbug.com/1167222 http/tests/websocket/multiple-connections-throttled.html [ Failure Pass ]\ncrbug.com/1167309 fast/canvas/canvas-createImageBitmap-drawImage.html [ Failure Pass ]\n\n# Sheriff 2021-01-20\ncrbug.com/1168522 external/wpt/focus/iframe-activeelement-after-focusing-out-iframes.html [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1050549 http/tests/devtools/network/preview-searchable.js [ Failure Pass ]\ncrbug.com/1050549 http/tests/devtools/console/console-correct-suggestions.js [ Failure Pass ]\ncrbug.com/1050549 http/tests/devtools/extensions/extensions-timeline-api.js [ Failure Pass ]\n\n# Flaky test\ncrbug.com/1173439 http/tests/devtools/service-workers/service-worker-manager.js [ Pass Skip Timeout ]\n\n# Sheriff 2018-01-25\ncrbug.com/893869 css3/masking/mask-repeat-space-padding.html [ Failure Pass ]\n\n# V8 roll\ncrbug.com/961059 fast/workers/worker-shared-asm-buffer.html [ Skip ]\n\n# Temporarily disabled to unblock https://crrev.com/c/2979697\ncrbug.com/1222114 http/tests/devtools/console/console-call-getter-on-proto.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-dir.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-dir-es6.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-format.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-format-es6.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-functions.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/sources/debugger/properties-special.js [ Failure Pass ]\n\ncrbug.com/1247844 external/wpt/css/css-contain/content-visibility/content-visibility-input-image.html [ Timeout ]\n\n# Expected to fail with SuppressDifferentOriginSubframeJSDialogs feature disabled, tested in VirtualTestSuite\ncrbug.com/1065085 external/wpt/html/webappapis/user-prompts/cannot-show-simple-dialogs/confirm-different-origin-frame.sub.html [ Failure ]\ncrbug.com/1065085 external/wpt/html/webappapis/user-prompts/cannot-show-simple-dialogs/prompt-different-origin-frame.sub.html [ Failure ]\n\n# Sheriff 2021-01-27\ncrbug.com/1171331 [ Mac ] tables/mozilla_expected_failures/bugs/bug89315.html [ Failure Pass ]\n\ncrbug.com/1168785 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/autoscroll-latch-clicked-node-if-parent-unscrollable.html [ Timeout ]\n\n# flaky test\ncrbug.com/1173956 http/tests/xsl/xslt-transform-with-javascript-disabled.html [ Failure Pass ]\n\n# MediaQueryList tests failing due to incorrect event dispatching. These tests\n# will pass because they have -expected.txt, but keep entries here because they\n# still need to get fixed.\nexternal/wpt/css/cssom-view/MediaQueryList-addListener-handleEvent-expected.txt [ Failure Pass ]\nexternal/wpt/css/cssom-view/MediaQueryList-extends-EventTarget-interop-expected.txt [ Failure Pass ]\n\n# No support for key combinations like Alt + c in testdriver.Actions for content_shell\ncrbug.com/893480 external/wpt/uievents/interface/keyboard-accesskey-click-event.html [ Timeout ]\n\n# Timing out on Fuchsia\ncrbug.com/1171283 [ Fuchsia ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-out-slow.html [ Pass Timeout ]\n\n# Sheriff 2021-02-11\ncrbug.com/1177573 http/tests/inspector-protocol/animation/animation-pause.js [ Failure Pass ]\ncrbug.com/1177573 http/tests/inspector-protocol/animation/animation-pause-infinite.js [ Failure Pass ]\n\n# Sheriff 2021-02-15\ncrbug.com/1177996 [ Linux ] storage/websql/database-lock-after-reload.html [ Failure Pass ]\ncrbug.com/1178018 external/wpt/webaudio/the-audio-api/the-mediaelementaudiosourcenode-interface/mediaElementAudioSourceToScriptProcessorTest.html [ Failure Pass ]\n\n# Expected to fail - Chrome's WebXR Depth Sensing API implementation does not currently support `gpu-optimized` usage mode.\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_dataUnavailable.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_inactiveFrame.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_incorrectUsage.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_staleView.https.html [ Failure ]\n\n# Sheriff 2021-02-17\ncrbug.com/1179117 [ Linux ] http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\n\n# Sheriff 2021-02-18\ncrbug.com/1179772 [ Win7 ] http/tests/devtools/console/console-preserve-log-x-process-navigation.js [ Failure Pass ]\ncrbug.com/1179857 [ Linux ] http/tests/inspector-protocol/dom/dom-getFrameOwner.js [ Failure Pass ]\ncrbug.com/1179905 [ Linux ] fast/multicol/nested-very-tall-inside-short-crash.html [ Failure Pass ]\n\n# Sheriff 2021-02-19\ncrbug.com/1180227 [ Mac ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-default-feature-policy.https.html [ Crash Failure Pass ]\ncrbug.com/1180227 [ Linux ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-default-feature-policy.https.html [ Failure Pass ]\ncrbug.com/1180479 [ Mac ] virtual/threaded-prefer-compositing/external/wpt/css/cssom-view/scrollIntoView-smooth.html [ Failure Pass Timeout ]\n\ncrbug.com/1180274 crbug.com/1046784 http/tests/inspector-protocol/network/navigate-iframe-out2in.js [ Failure Pass ]\n\n# Sheriff 2021-02-21\ncrbug.com/1180491 [ Linux ] external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\ncrbug.com/1180491 [ Linux ] virtual/storage-access-api/external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\n\n# Sheriff 2021-02-24\ncrbug.com/1181667 [ Linux ] external/wpt/css/selectors/focus-visible-011.html [ Failure Pass ]\ncrbug.com/1045052 [ Linux ] virtual/split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Failure Pass Skip Timeout ]\ncrbug.com/1045052 [ Linux ] virtual/not-split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Failure Pass Skip Timeout ]\ncrbug.com/1181857 external/wpt/webaudio/the-audio-api/the-analysernode-interface/test-analyser-output.html [ Failure Pass ]\n\n# Sheriff 2021-02-25\ncrbug.com/1182673 [ Win7 ] http/tests/devtools/profiler/live-line-level-heap-profile.js [ Skip Timeout ]\ncrbug.com/1182675 [ Linux ] dom/attr/id-update-map-crash.html [ Failure Pass ]\ncrbug.com/1182682 [ Linux ] http/tests/devtools/service-workers/service-workers-view.js [ Failure Pass ]\n\n# Sheriff 2021-03-04\ncrbug.com/1184745 [ Mac ] external/wpt/media-source/mediasource-changetype-play.html [ Failure Pass ]\n\n# Sheriff 2021-03-08\ncrbug.com/1092462 [ Linux ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/1092462 [ Linux ] media/video-seek-past-end-paused.html [ Failure Pass ]\ncrbug.com/1185675 [ Mac ] virtual/gpu-rasterization/images/color-profile-object.html [ Failure Pass ]\ncrbug.com/1185676 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-end-to-end.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/1185051 fast/canvas/OffscreenCanvas-Bitmaprenderer-toBlob-worker.html [ Failure Pass ]\n\n# Updating virtual suite from virtual/threaded/fast/scroll-snap to\n# virtual/threaded-prefer-compositing/fast/scroll-snap exposes additional\n# tests that fail on the composited code path.\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-scrollbar-scrolling-thumb.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-wheel-scrolling.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snap-scrolls-visual-viewport.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/animate-fling-to-snap-points-2.html [ Failure Pass Skip Timeout ]\n\n# Expect failure for unimplemented canvas color object input\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.fillStyle.colorObject.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.fillStyle.colorObject.transparency.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.strokeStyle.colorObject.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.strokeStyle.colorObject.transparency.html [ Failure ]\n\n# Sheriff 2021-03-17\ncrbug.com/1072022 http/tests/security/frameNavigation/xss-ALLOWED-parent-navigation-change.html [ Pass Timeout ]\n\n# Sheriff 2021-03-19\ncrbug.com/1189976 http/tests/devtools/sources/debugger-breakpoints/dom-breakpoints.js [ Skip ]\ncrbug.com/1189976 http/tests/devtools/sources/debugger-breakpoints/dom-breakpoints-editing-dom-from-inspector.js [ Skip ]\ncrbug.com/1190176 [ Linux ] fast/peerconnection/RTCPeerConnection-addMultipleTransceivers.html [ Failure Pass ]\n\ncrbug.com/1191068 [ Mac ] external/wpt/resource-timing/iframe-failed-commit.html [ Failure Pass ]\ncrbug.com/1191068 [ Win ] external/wpt/resource-timing/iframe-failed-commit.html [ Failure Pass ]\n\ncrbug.com/1176039 [ Mac ] virtual/stable/media/stable/video-object-fit-stable.html [ Failure Pass ]\n\ncrbug.com/1190905 [ Mac ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\ncrbug.com/1190905 [ Linux ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\ncrbug.com/1190905 [ Win ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\n\n# Sheriff 2021-03-23\ncrbug.com/1182689 [ Mac ] external/wpt/editing/run/delete.html?6001-last [ Failure ]\n\n# Sheriff 2021-03-31\n# Failing tests because of enabling scroll unification flag\ncrbug.com/1194446 virtual/scroll-unification/fast/events/platform-wheelevent-paging-x-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/1194446 virtual/scroll-unification/fast/events/scale-and-scroll-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/1194446 virtual/scroll-unification/fast/events/platform-wheelevent-paging-y-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-active-state.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-mouse-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/fast/scroll-behavior/overflow-scroll-animates.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scroll-snap/snap-to-target-on-layout-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/auto-scrollbar-fades-out.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-frame-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/pointerevents/multi-pointer-preventdefault.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/hidden-scrollbars-invisible.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/overflow-scrollability.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-paragraph-end.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/drag-and-drop-autoscroll-mainframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scroll-snap/animate-fling-to-snap-points-1.html [ Failure Pass ]\n\n# Sheriff 2021-04-01\ncrbug.com/1167679 accessibility/aom-focus-action.html [ Crash Failure Pass Timeout ]\n# More failing tests because of enabling scroll unification flag\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-active-state-hidden-iframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-should-not-stop-on-keypress.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-scrolled.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-upwards-propagation-overflow-hidden-body.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/frame-scroll-fake-mouse-move.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-fling-with-page-scale.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-nonscrollable-iframe-in-scrollable-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-hover-clear.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-event-from-touch-source-device-event-sender.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-fully-scrolled-iframe-propagates.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-event-buttons-attribute.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-unified-autoplay/external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2021-04-05\ncrbug.com/921151 http/tests/security/mixedContent/insecure-iframe-with-hsts.https.html [ Failure Pass ]\n\n# Sheriff 2021-04-06\ncrbug.com/1032451 [ Linux ] virtual/threaded/animations/stability/animation-iteration-event-destroy-renderer.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-07\ncrbug.com/1196620 [ Mac ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video-sibling.html [ Failure Pass ]\n\n# WebTransport tests should eventually run when the WebTransport WPT server is added.\ncrbug.com/1201569 external/wpt/webtransport/* [ Skip ]\n# WebTransport server infra tests pass on python3 but fail on python2.\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.serviceworker.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.sharedworker.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.worker.html [ Failure Pass ]\n\ncrbug.com/1194958 fast/events/mouse-event-buttons-attribute.html [ Failure Pass ]\n\n# Sheriff 2021-04-08\ncrbug.com/1197087 external/wpt/web-animations/interfaces/Animation/finished.html [ Failure Pass ]\ncrbug.com/1197087 external/wpt/css/css-animations/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\ncrbug.com/1197087 external/wpt/css/css-transitions/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\ncrbug.com/1197087 virtual/threaded/external/wpt/css/css-animations/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\n\n# Sheriff 2021-04-09\ncrbug.com/1197528 [ Mac ] pointer-lock/pointerlockchange-pointerlockerror-events.html [ Failure Pass ]\n\ncrbug.com/1195295 fast/events/touch/multi-touch-timestamp.html [ Failure Pass ]\n\ncrbug.com/1197296 [ Mac10.15 ] external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Failure Pass ]\n\ncrbug.com/1196745 [ Mac10.15 ] editing/selection/editable-links.html [ Skip ]\n\n# WebID\n# These tests are only valid when WebID flag is enabled\ncrbug.com/1067455 wpt_internal/webid/* [ Failure ]\ncrbug.com/1067455 virtual/webid/* [ Pass ]\n\n# Is fixed by PlzDedicatedWorker.\ncrbug.com/1060837 external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.https.html [ Timeout ]\ncrbug.com/1060837 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.https.html [ Pass ]\n\ncrbug.com/1143102 virtual/plz-dedicated-worker/http/tests/inspector-protocol/fetch/dedicated-worker-main-script.js [ Skip ]\n\n# These timeout because COEP reporting to a worker is not implemented.\ncrbug.com/1197041 external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.https.html [ Skip ]\ncrbug.com/1197041 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.https.html [ Skip ]\n\n# Sheriff 2021-04-12\ncrbug.com/1198103 virtual/scroll-unification/fast/events/drag-and-drop-autoscroll.html [ Pass Timeout ]\n\ncrbug.com/1193979 [ Mac ] fast/events/tabindex-focus-blur-all.html [ Failure Pass ]\ncrbug.com/1196201 fast/events/mouse-event-source-device-event-sender.html [ Failure Pass ]\n\n# Sheriff 2021-04-13\ncrbug.com/1198698 external/wpt/clear-site-data/storage.https.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-04-14\ncrbug.com/1198828 [ Win ] virtual/scroll-unification/fast/events/mouse-events-on-node-deletion.html [ Failure Pass ]\ncrbug.com/1198828 [ Linux ] virtual/scroll-unification/fast/events/mouse-events-on-node-deletion.html [ Failure Pass ]\n\n# Sheriff 2021-04-15\ncrbug.com/1199380 virtual/scroll-unification-prefer_compositing_to_lcd_text/fast/scroll-behavior/overflow-scroll-root-frame-animates.html [ Skip ]\ncrbug.com/1194460 virtual/scroll-unification/fast/events/mouseenter-mouseleave-chained-listeners.html [ Skip ]\ncrbug.com/1196118 plugins/mouse-move-over-plugin-in-frame.html [ Failure Pass ]\ncrbug.com/1199528 http/tests/inspector-protocol/css/css-edit-redirected-css.js [ Failure Pass ]\ncrbug.com/1196317 [ Mac ] scrollbars/custom-scrollbar-thumb-width-changed-on-inactive-pseudo.html [ Failure Pass ]\n\n# Sheriff 2021-04-20\ncrbug.com/1200671 [ Mac11 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\ncrbug.com/1200671 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\n\ncrbug.com/1197444 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/nested-scroll-overlay-scrollbar.html [ Crash Failure Pass ]\n# Sheriff 2021-04-21\ncrbug.com/1200671 [ Linux ] external/wpt/webrtc/protocol/rtp-payloadtypes.html [ Crash Pass ]\ncrbug.com/1201225 external/wpt/pointerevents/pointerlock/pointerevent_pointerrawupdate_in_pointerlock.html [ Failure Pass Timeout ]\ncrbug.com/1198232 [ Win ] virtual/scroll-unification/fast/events/mouseenter-mouseleave-on-drag.html [ Failure Pass ]\ncrbug.com/1201346 http/tests/origin_trials/webexposed/bfcache-experiment-http-header-origin-trial.php [ Failure Pass ]\ncrbug.com/1201348 [ Linux ] virtual/shared_array_buffer_on_desktop/http/tests/inspector-protocol/issues/mixed-content-issue-creation-js-within-oopif.js [ Pass Timeout ]\ncrbug.com/1201365 virtual/portals/http/tests/inspector-protocol/portals/device-emulation-portals.js [ Pass Timeout ]\n\n# Sheriff 2021-04-22\ncrbug.com/1191990 [ Linux ] http/tests/serviceworker/clients-openwindow.html [ Failure Pass ]\n\n# Sheriff 2021-04-23\ncrbug.com/1198832 [ Linux ] external/wpt/css/css-sizing/aspect-ratio/replaced-element-003.html [ Failure Pass ]\ncrbug.com/1202051 virtual/scroll-unification/scrollbars/layout-viewport-scrollbars-hidden.html [ Failure Pass ]\ncrbug.com/1202051 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/layout-viewport-scrollbars-hidden.html [ Failure Pass ]\ncrbug.com/1197528 [ Linux ] pointer-lock/pointerlockchange-pointerlockerror-events.html [ Failure Pass ]\n\n# Image pixels are sometimes different on Fuchsia.\ncrbug.com/1201123 [ Fuchsia ] tables/mozilla/bugs/bug1188.html [ Failure Pass ]\n\n# Sheriff 2021-04-26\ncrbug.com/1202722 [ Linux ] virtual/scroll-unification/fast/events/mouseenter-mouseleave-on-drag.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-29\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/css-paint-api/idlharness.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/css-shapes/parsing/shape-outside-computed.html [ Failure Pass Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/cssom-view/idlharness.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/gamepad/idlharness.https.window.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/input-device-capabilities/idlharness.window.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/periodic-background-sync/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/storage/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/storage/idlharness.https.any.worker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/webusb/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/xhr/idlharness.any.sharedworker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1198443 [ Mac10.14 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/request-upload.any.html [ Failure Pass Timeout ]\ncrbug.com/1198443 [ Mac10.14 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/request-upload.any.worker.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-30\ncrbug.com/1204498 [ Linux ] virtual/scroll-unification/fast/events/hit-test-cache-iframes.html [ Failure Pass ]\n\n# Appears to be timing out even when marked as Slow.\ncrbug.com/1205184 [ Mac11 ] external/wpt/IndexedDB/interleaved-cursors-large.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-05-03\ncrbug.com/1205133 [ Linux ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Pass Timeout ]\ncrbug.com/1205133 [ Mac ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Pass Timeout ]\ncrbug.com/1205012 external/wpt/html/cross-origin-opener-policy/reporting/access-reporting/reporting-observer.html [ Pass Skip Timeout ]\ncrbug.com/1197465 [ Linux ] virtual/scroll-unification/fast/events/mouse-cursor-no-mousemove.html [ Failure Pass ]\ncrbug.com/1093041 fast/canvas/color-space/canvas-createImageBitmap-rec2020.html [ Failure Pass ]\ncrbug.com/1093041 virtual/gpu/fast/canvas/color-space/canvas-createImageBitmap-rec2020.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-05-10\ncrbug.com/1207337 virtual/scroll-unification/fast/scroll-snap/animate-fling-to-snap-points-2.html [ Failure Pass ]\n\n# Sheriff 2021-05-04\ncrbug.com/1205659 [ Mac ] external/wpt/IndexedDB/key-generators/reading-autoincrement-indexes.any.worker.html [ Pass Timeout ]\ncrbug.com/1205659 [ Mac ] storage/indexeddb/empty-blob-file.html [ Pass Timeout ]\ncrbug.com/1205673 [ Linux ] virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-wheel-scrolling-single-tick.html [ Failure Pass ]\n\n# Browser Infra 2021-05-04\n# Re-enable once all Linux CI/CQ builders migrated to Bionic\ncrbug.com/1200134 [ Linux ] fast/gradients/unprefixed-repeating-gradient-color-hint.html [ Failure Pass ]\n\n# Sheriff 2021-05-05\ncrbug.com/1205796 [ Mac10.12 ] external/wpt/html/dom/idlharness.https.html?include=HTML.* [ Failure ]\ncrbug.com/1205796 [ Mac10.14 ] external/wpt/html/dom/idlharness.https.html?include=HTML.* [ Failure ]\n\n# Blink_web_tests 2021-05-06\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/gamepad/idlharness.https.window.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/input-device-capabilities/idlharness.window.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/periodic-background-sync/idlharness.https.any.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/storage/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] virtual/threaded/external/wpt/animation-worklet/idlharness.any.worker.html [ Failure ]\n\n# Sheriff 2021-05-07\n# Some plzServiceWorker and plzDedicatedWorker singled out from generic sheriff rounds above\ncrbug.com/1207851 virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.serviceworker.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-05-10\ncrbug.com/1207709 [ Mac10.13 ] external/wpt/resource-timing/document-domain-no-impact-opener.html [ Failure Pass ]\ncrbug.com/1207709 [ Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/resource-timing/document-domain-no-impact-opener.html [ Failure Pass ]\ncrbug.com/1207709 [ Mac10.13 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Failure Pass Timeout ]\n\n# Will be passed when compositing-after-paint is used by default 2021-05-13\ncrbug.com/1208213 external/wpt/css/css-transforms/add-child-in-empty-layer.html [ Failure ]\n\n# Sheriff 2021-05-12\ncrbug.com/1095540 [ Debug Linux ] virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/resize-corner-tracking-touch.html [ Failure Pass ]\n\n# For SkiaRenderer on MacOS\ncrbug.com/1208173 [ Mac ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1208173 [ Mac ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1208173 [ Mac ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1208173 [ Mac ] css3/filters/backdrop-filter-boundary.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac ] svg/custom/svg-root-with-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/prefer_compositing_to_lcd_text/compositing/overflow/nested-render-surfaces-with-rotation.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/scalefactor200/external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/scalefactor200/external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac10.14 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\n\n# Fix to unblock wpt-importer\ncrbug.com/1209223 [ Mac ] external/wpt/url/a-element.html [ Pass Timeout ]\ncrbug.com/1209223 external/wpt/url/url-constructor.any.worker.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-05-17\ncrbug.com/1193920 virtual/scroll-unification/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Pass Timeout ]\ncrbug.com/1210199 http/tests/devtools/elements/elements-panel-restore-selection-when-node-comes-later.js [ Failure Pass ]\ncrbug.com/1199522 http/tests/devtools/layers/layers-3d-view-hit-testing.js [ Failure Pass ]\n\n# Failing css-transforms-2 web platform tests.\ncrbug.com/847356 external/wpt/css/css-transforms/transform-box/view-box-mutation-001.html [ Failure ]\n\ncrbug.com/1261895 external/wpt/css/css-transforms/transform3d-sorting-002.html [ Failure ]\n\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-002.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-004.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-005.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-006.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-007.html [ Failure ]\n# Started failing after rolling new version of check-layout-th.js\ncss3/flexbox/perpendicular-writing-modes-inside-flex-item.html [ Failure ]\n\n# Sheriff 2021-05-18\ncrbug.com/1210658 [ Mac10.14 ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\ncrbug.com/1210658 [ Mac10.15 ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\ncrbug.com/1210658 [ Win ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\n\n# Temporarily disabled to unblock https://crrev.com/c/3099011\ncrbug.com/1199701 http/tests/devtools/console/console-big-array.js [ Skip ]\n\n# Sheriff 2021-5-19\n# Flaky on Webkit Linux Leak\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger-step/debugger-step-out-document-write.js [ Failure Pass ]\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger/debug-inlined-scripts-fragment-id.js [ Failure Pass ]\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger-breakpoints/dynamic-scripts-breakpoints.js [ Failure Pass ]\n\n# The wpt_flags=h2 variants of these tests fail, but the other variants pass. We\n# can't handle this difference with -expected.txt files, so we have to list them\n# here.\ncrbug.com/1048761 external/wpt/websockets/Close-1000-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-2999-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-2999-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-4999-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-4999-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-Reason-124Bytes.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-Reason-124Bytes.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-onlyReason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-onlyReason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closed.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closed.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closing.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closing.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-reason-unpaired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-reason-unpaired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-server-initiated-close.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-server-initiated-close.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-undefined.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-undefined.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-extensions-empty.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-extensions-empty.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-array-protocols.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-array-protocols.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-binaryType-blob.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-binaryType-blob.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-setCorrectly.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-setCorrectly.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-string.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-string.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-0byte-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-0byte-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-65K-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-65K-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-65K-arraybuffer.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-65K-arraybuffer.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybuffer.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybuffer.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float32.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float32.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float64.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float64.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int16-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int16-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int32.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int32.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int8.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int8.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint16-offset-length.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint16-offset-length.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint32-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint32-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset-length.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset-length.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-blob.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-blob.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-null.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-null.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-paired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-paired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unicode-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unicode-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unpaired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unpaired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binaryType-wrong-value.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binaryType-wrong-value.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/extended-payload-length.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/001.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/002.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/004.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/005.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-arraybuffer.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-blob.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-large.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-unicode.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/events/018.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/send/006.html?wpt_flags=h2 [ Failure ]\n\n# Sheriff on 2021-05-26\ncrbug.com/1213322 [ Mac ] external/wpt/css/css-values/minmax-percentage-serialize.html [ Failure Pass ]\ncrbug.com/1213322 [ Mac ] external/wpt/html/browsers/the-window-object/named-access-on-the-window-object/window-named-properties.html [ Failure Pass ]\n\n# Do not retry slow tests that also timeouts\ncrbug.com/1210687 [ Mac10.15 ] fast/events/open-window-from-another-frame.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac ] http/tests/permissions/chromium/test-request-worker.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] storage/websql/sql-error-codes.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] external/wpt/html/user-activation/propagation-crossorigin.sub.tentative.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Win ] virtual/split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Win ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\n\n# Sheriff 2021-06-02\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-applyConstraints-remoteVideoTrack.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-applyConstraints-remoteVideoTrack.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-createDTMFSender.html [ Failure Pass ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-datachannel.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-datachannel.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-lifetime.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-lifetime.html [ Pass Timeout ]\ncrbug.com/1215584 [ Mac11 ] inspector-protocol/layout-fonts/lang-fallback.js [ Failure Pass ]\n\n# Fail with field trial testing config.\ncrbug.com/1219767 [ Linux ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure ]\n\n# Sheriff 2021-06-03\ncrbug.com/1185121 fast/scroll-snap/animate-fling-to-snap-points-1.html [ Failure Pass ]\ncrbug.com/1176162 http/tests/devtools/screen-orientation-override.js [ Failure Pass ]\ncrbug.com/1215949 external/wpt/pointerevents/pointerevent_iframe-touch-action-none_touch.html [ Pass Timeout ]\ncrbug.com/1216139 virtual/bfcache/http/tests/devtools/bfcache/bfcache-elements-update.js [ Failure Pass ]\n\n# Sheriff 2021-06-10\ncrbug.com/1177996 [ Mac10.15 ] storage/websql/database-lock-after-reload.html [ Failure Pass ]\n\n# CSS Highlight API painting issues related to general CSS highlight\n# pseudo-elements painting\ncrbug.com/1147859 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-004.html [ Failure ]\ncrbug.com/1163437 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-below-grammar.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-below-target-text.html [ Failure ]\ncrbug.com/1147859 [ Linux ] external/wpt/css/css-highlight-api/painting/* [ Failure ]\n\n# Sheriff 2021-06-11\ncrbug.com/1218667 [ Win ] virtual/portals/wpt_internal/portals/portals-dangling-markup.sub.html [ Pass Skip Timeout ]\ncrbug.com/1218714 [ Win ] virtual/scroll-unification/fast/forms/select-popup/popup-menu-scrollbar-button-scrolls.html [ Pass Timeout ]\n\n# Green Mac11 Test\ncrbug.com/1201406 [ Mac11 ] fast/events/touch/gesture/touch-gesture-scroll-listbox.html [ Failure ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/credentialscontainer-create-from-nested-frame.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/credentialscontainer-create-origins.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/publickeycredential-same-origin-with-ancestors.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/register-then-sign.html [ Crash Skip Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-add-virtual-authenticator.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-clear-credentials.js [ Crash ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-get-credentials.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-presence-simulation.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-remove-credential.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-set-aps.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-user-verification.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/iframe-navigation/parent-no-1-no-same-2-yes-port.sub.https.html [ Timeout ]\n\n# Sheriff 2021-06-14\ncrbug.com/1219499 external/wpt/websockets/Create-blocked-port.any.html?wpt_flags=h2 [ Failure Pass Timeout ]\ncrbug.com/1219499 [ Win ] external/wpt/websockets/Create-blocked-port.any.html?wss [ Pass Timeout ]\n\n# Sheriff 2021-06-15\ncrbug.com/1220317 [ Linux ] external/wpt/media-capabilities/decodingInfoEncryptedMedia.https.html [ Crash Failure Pass ]\ncrbug.com/1220317 [ Linux ] external/wpt/media-capabilities/decodingInfo.any.html [ Crash Failure Pass ]\ncrbug.com/1220007 [ Linux ] fullscreen/full-screen-iframe-allowed-video.html [ Failure Pass Timeout ]\n\n# Some flaky gpu canvas compositing\ncrbug.com/1221326 virtual/gpu/fast/canvas/canvas-composite-image.html [ Failure Pass ]\ncrbug.com/1221327 virtual/gpu/fast/canvas/canvas-composite-canvas.html [ Failure Pass ]\ncrbug.com/1221420 virtual/gpu/fast/canvas/canvas-ellipse-zero-lineto.html [ Failure Pass ]\n\n# Sheriff\ncrbug.com/1223327 wpt_internal/prerender/unload.html [ Pass Timeout ]\ncrbug.com/1223327 virtual/prerender/wpt_internal/prerender/unload.html [ Pass Timeout ]\ncrbug.com/1222097 external/wpt/html/cross-origin-embedder-policy/blob.https.html [ Skip ]\ncrbug.com/1222097 external/wpt/mediacapture-image/detached-HTMLCanvasElement.html [ Skip ]\ncrbug.com/1222097 http/tests/canvas/captureStream-on-detached-canvas.html [ Skip ]\ncrbug.com/1222097 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/blob.https.html [ Skip ]\ncrbug.com/1222097 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/worker-inheritance.sub.https.html [ Skip ]\ncrbug.com/1222097 virtual/shared_array_buffer_on_desktop/http/tests/devtools/security/interstitial-sidebar.js [ Skip ]\ncrbug.com/1222097 virtual/shared_array_buffer_on_desktop/http/tests/devtools/security/mixed-content-sidebar.js [ Skip ]\ncrbug.com/1222097 virtual/wasm-site-isolated-code-cache/http/tests/devtools/wasm-isolated-code-cache/wasm-cache-test.js [ Skip ]\ncrbug.com/1222097 external/wpt/uievents/order-of-events/mouse-events/mouseover-out.html [ Skip ]\n\n# Sheriff 2021-06-25\n# Flaky on Webkit Linux Leak\ncrbug.com/1223601 [ Linux ] fast/scrolling/autoscroll-latch-clicked-node-if-parent-unscrollable.html [ Failure Pass ]\ncrbug.com/1223601 [ Linux ] fast/scrolling/reset-scroll-in-onscroll.html [ Failure Pass ]\n\n# Sheriff 2021-06-29\n# Flaky on Mac11 Tests\ncrbug.com/1197464 [ Mac ] virtual/scroll-unification/plugins/refcount-leaks.html [ Failure Pass ]\n\n# Sheriff 2021-06-30\ncrbug.com/1216587 [ Win7 ] accessibility/scroll-window-sends-notification.html [ Failure Pass ]\ncrbug.com/1216587 [ Mac11-arm64 ] accessibility/scroll-window-sends-notification.html [ Failure Pass ]\n\n# Sheriff 2021-07-01\n# Now also flakily timing-out.\ncrbug.com/1193920 virtual/threaded-prefer-compositing/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-02\ncrbug.com/1226112 http/tests/text-autosizing/narrow-iframe.html [ Failure Pass ]\n\n# Sheriff 2021-07-05\ncrbug.com/1226445 [ Mac ] virtual/storage-access-api/external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\n\n# Sheriff 2021-07-07\ncrbug.com/1227092 [ Win ] virtual/scroll-unification/fast/events/selection-autoscroll-borderbelt.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-12\ncrbug.com/1228432 [ Linux ] external/wpt/video-rvfc/request-video-frame-callback-before-xr-session.https.html [ Pass Timeout ]\n\n# Depends on fixing WPT cross-origin iframe click flake in crbug.com/1066891.\ncrbug.com/1227710 external/wpt/bluetooth/requestDevice/cross-origin-iframe.sub.https.html [ Failure Pass ]\n\n# Cross-origin WebAssembly module sharing is getting deprecated.\ncrbug.com/1224804 virtual/not-site-per-process/external/wpt/wasm/serialization/module/window-similar-but-cross-origin-success.sub.html [ Skip ]\ncrbug.com/1224804 http/tests/inspector-protocol/issues/wasm-co-sharing-issue.js [ Skip ]\ncrbug.com/1224804 virtual/not-site-per-process/external/wpt/wasm/serialization/module/window-domain-success.sub.html [ Skip ]\n\n\n# Sheriff 2021-07-13\ncrbug.com/1220114 [ Linux ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Failure Pass Timeout ]\ncrbug.com/1228959 [ Linux ] virtual/scroll-unification/fast/scroll-snap/snaps-after-wheel-scrolling-single-tick.html [ Failure Pass ]\n\n# A number of http/tests/inspector-protocol/network tests are flaky.\ncrbug.com/1228246 http/tests/inspector-protocol/network/disable-interception-midway.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-interception-frame-id.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-interception-patterns.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-response-interception-disable-between.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/same-site-issue-warn-cookie-lax-subresource-context-downgrade.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/same-site-issue-warn-cookie-strict-subresource-context-downgrade.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/webbundle.js [ Crash Failure Pass Skip Timeout ]\n\n# linux_layout_tests_layout_ng_disabled needs its own baselines.\ncrbug.com/1231699 [ Linux ] fast/borders/border-inner-bleed.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/canvas/canvas-composite-video-shadow.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/canvas/canvas-composite-video.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/reflections/opacity-reflection-transform.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] svg/custom/focus-ring.svg [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] svg/custom/transformed-outlines.svg [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] virtual/text-antialias/color-emoji.html [ Failure Pass ]\n\n# linux_layout_tests_composite_after_paint failures.\ncrbug.com/1257251 [ Linux ] compositing/reflections/nested-reflection-transformed.html [ Failure Pass ]\ncrbug.com/1257251 [ Linux ] compositing/reflections/nested-reflection-transformed2.html [ Failure Pass ]\ncrbug.com/1257251 [ Linux ] css3/blending/effect-background-blend-mode-stacking.html [ Failure Pass ]\n\n# Other devtools flaky tests outside of http/tests/inspector-protocol/network.\ncrbug.com/1228261 http/tests/devtools/console/console-context-selector.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/browser-grant-permissions.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/network-fetch-content-with-error-status-code.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/fetch/request-paused-network-id-cors.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/service-worker/network-extrainfo-subresource.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/service-worker/network-get-request-body-blob.js [ Crash Failure Pass Skip Timeout ]\n\n# Flakes that might be caused or aggravated by PlzServiceWorker\ncrbug.com/996511 external/wpt/service-workers/cache-storage/frame/cache-abort.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/996511 external/wpt/service-workers/cache-storage/window/cache-abort.https.html [ Crash Failure Pass ]\ncrbug.com/996511 external/wpt/service-workers/service-worker/getregistrations.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/996511 http/tests/inspector-protocol/fetch/fetch-cors-preflight-sw.js [ Crash Failure Pass Timeout ]\n\n# Expected to time out, but NOT crash.\ncrbug.com/1218540 storage/shared_storage/unimplemented-worklet-operations.html [ Crash Timeout ]\n\n# Sheriff 2021-07-14\ncrbug.com/1229039 [ Linux ] external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Pass Skip Timeout ]\ncrbug.com/1229039 [ Mac ] external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Pass Skip Timeout ]\n\n# Test fails due to more accurate size reporting in heap snapshots.\ncrbug.com/1229212 inspector-protocol/heap-profiler/heap-samples-in-snapshot.js [ Failure ]\n\n# Sheriff 2021-07-15\ncrbug.com/1229666 external/wpt/html/semantics/forms/form-submission-0/urlencoded2.window.html [ Pass Timeout ]\ncrbug.com/1093027 http/tests/credentialmanager/credentialscontainer-create-with-virtual-authenticator.html [ Crash Failure Pass Skip Timeout ]\n# The next test was originally skipped on mac for lack of support (crbug.com/613672). It is now skipped everywhere due to flakiness.\ncrbug.com/1229708 fast/events/pointerevents/pointer-event-in-slop-region.html [ Skip ]\ncrbug.com/1229725 http/tests/devtools/sources/debugger-pause/pause-on-elements-panel.js [ Crash Failure Pass ]\ncrbug.com/1085647 external/wpt/pointerevents/compat/pointerevent_mouse-pointer-preventdefault.html [ Pass Timeout ]\ncrbug.com/1087232 http/tests/devtools/network/network-worker-fetch-blocked.js [ Failure Pass ]\ncrbug.com/1229801 http/tests/devtools/elements/css-rule-hover-highlights-selectors.js [ Failure Pass ]\ncrbug.com/1229802 fast/events/pointerevents/multi-touch-events.html [ Failure Pass ]\ncrbug.com/1181886 external/wpt/pointerevents/pointerevent_movementxy.html?* [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-21\ncrbug.com/1231431 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-endpoint.https.html [ Failure ]\n\n# Sheriff 2021-07-22\ncrbug.com/1222097 [ Mac ] external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-sorted-before-dispatch.html [ Failure Pass ]\ncrbug.com/1231915 [ Mac10.12 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Pass Timeout ]\ncrbug.com/1231989 [ Linux ] external/wpt/html/cross-origin-embedder-policy/shared-workers.https.html [ Failure Pass ]\n\n# Sheriff 2021-07-23\ncrbug.com/1232388 [ Mac10.12 ] external/wpt/html/rendering/non-replaced-elements/hidden-elements.html [ Failure Pass ]\ncrbug.com/1232417 external/wpt/mediacapture-insertable-streams/MediaStreamTrackGenerator-video.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-26\ncrbug.com/1232867 [ Mac10.12 ] fast/inline-block/contenteditable-baseline.html [ Failure Pass ]\ncrbug.com/1254382 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\n\n# Sheriff 2021-07-27\ncrbug.com/1233557 [ Mac10.12 ] fast/forms/calendar-picker/date-picker-appearance-zoom150.html [ Failure Pass ]\n\n# Sheriff 2021-07-28\ncrbug.com/1233781 http/tests/serviceworker/window-close-during-registration.html [ Failure Pass ]\ncrbug.com/1234057 external/wpt/css/css-paint-api/no-op-animation.https.html [ Failure Pass ]\ncrbug.com/1234302 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/paint2d-image.https.html [ Crash Failure Pass ]\n\n# Temporarily disabling progress based worklet animation tests.\ncrbug.com/1238130 animations/animationworklet/playback-rate-scroll-timeline-accelerated-property.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-dispose.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-dynamic-update.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-non-compositable.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-non-scrollable.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/inactive-timeline.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/scroll-timeline-writing-modes.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-creation.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-display-none.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-overflow-hidden.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-root-scroller.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline.https.html [ Timeout ]\n\n# Sheriff 2021-07-29\ncrbug.com/626703 http/tests/security/cross-frame-access-put.html [ Failure Pass ]\n\n# Sheriff 2021-07-30\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-audio+video.https.sub.html [ Failure ]\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-audio.https.sub.html [ Failure ]\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-video.https.sub.html [ Failure ]\n\n# Sheriff 2021-08-02\ncrbug.com/1215390 [ Linux ] external/wpt/pointerevents/pointerevent_pointerId_scope.html [ Failure Pass ]\n\n# Sheriff 2021-08/05\ncrbug.com/1230534 external/wpt/webrtc/simulcast/getStats.https.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-08-10\ncrbug.com/1233840 external/wpt/html/cross-origin-opener-policy/historical/coep-navigate-popup-unsafe-inherit.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 external/wpt/webrtc/simulcast/basic.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 external/wpt/webrtc/simulcast/setParameters-active.https.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-08-12\ncrbug.com/1237640 http/tests/inspector-protocol/network/disabled-cache-navigation.js [ Pass Timeout ]\ncrbug.com/1239175 http/tests/navigation/same-and-different-back.html [ Failure Pass ]\ncrbug.com/1239164 http/tests/inspector-protocol/network/navigate-iframe-in2in.js [ Failure Pass ]\ncrbug.com/1237909 external/wpt/webrtc-svc/RTCRtpParameters-scalability.html [ Crash Failure Pass Timeout ]\ncrbug.com/1239161 external/wpt/html/semantics/links/links-created-by-a-and-area-elements/htmlanchorelement_noopener.html [ Failure Pass ]\ncrbug.com/1239139 virtual/prerender/wpt_internal/prerender/restriction-prompt-by-before-unload.html [ Crash Pass ]\n\n# Sheriff 2021-08-19\ncrbug.com/1234315 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-overflow-hidden.https.html [ Failure Timeout ]\n\n# Sheriff 2021-08-20\ncrbug.com/1241778 [ Mac10.13 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Pass Timeout ]\ncrbug.com/1194498 http/tests/misc/iframe-script-modify-attr.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2021-08-23\ncrbug.com/1242243 external/wpt/css/css-paint-api/parse-input-arguments-018.https.html [ Crash Failure Pass ]\ncrbug.com/1242243 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/parse-input-arguments-018.https.html [ Crash Failure Pass ]\n\n# Sheriff 2021-08-24\ncrbug.com/1244896 [ Mac ] fast/mediacapturefromelement/CanvasCaptureMediaStream-set-size-too-large.html [ Pass Timeout ]\n\n# Sheriff 2021-08-25\ncrbug.com/1243128 [ Win ] external/wpt/web-share/disabled-by-permissions-policy.https.sub.html [ Failure ]\n\n# Sheriff 2021-08-26\ncrbug.com/1243707 [ Debug Linux ] http/tests/inspector-protocol/target/auto-attach-related-sw.js [ Crash Pass ]\n\n# Sheriff 2021-08-26\ncrbug.com/1243933 [ Win7 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/elements/accessibility/edit-aria-attributes.js [ Failure ]\n\n# Sheriff 2021-09-03\ncrbug.com/1246238 http/tests/devtools/security/mixed-content-sidebar.js [ Failure Pass ]\ncrbug.com/1246238 http/tests/devtools/security/interstitial-sidebar.js [ Failure Pass ]\ncrbug.com/1246351 http/tests/misc/scroll-cross-origin-iframes-scrollbar.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-09-06\n# All of these suffer from the same problem of of a\n# DCHECK(!snapshot.drawsNothing()) failing on Macs:\n# Also reported as failing via crbug.com/1233766\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-display-none.https.html [ Crash Failure Pass Timeout ]\n# Previously reported as failing via crbug.com/626703:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-set-keyframes.https.html [ Crash Failure Pass ]\n# Previously reported as fialing via crbug.com/626703:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-immediately.https.html [ Crash Failure Pass ]\n# Also reported as failing via crbug.com/1233766:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-set-timing.https.html [ Crash Failure Pass ]\n# Previously reported as failing via crbug.com/1233766 on Mac11:\n# Previously reported as failing via crbug.com/626703 on Mac10.15:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-2.https.html [ Crash Failure Pass ]\n# Also reported as failing via crbug.com/1233766:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-cancel.https.html [ Crash Failure Pass ]\ncrbug.com/1250666 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/overdraw.https.html [ Pass Timeout ]\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/invalid-image-paint-error.https.html [ Pass Timeout ]\n# Previously reported as failing via crbug.com/626703:\ncrbug.com/1236558 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/no-op-animation.https.html [ Crash Failure Pass ]\ncrbug.com/1233766 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-before-start.https.html [ Crash Failure Pass ]\ncrbug.com/1233766 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-get-timing-on-worklet-thread.https.html [ Crash Failure Pass ]\n\n# Temporarily disable to fix DevTools issue reporting\ncrbug.com/1241860 http/tests/inspector-protocol/issues/content-security-policy-issue-trusted-types-exception.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/content-security-policy-issue-trusted-types-policy-exception.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/cors-issues.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/renderer-cors-issues.js [ Skip ]\n\n# [CompositeClipPathAnimations] failing test\ncrbug.com/1249071 virtual/composite-clip-path-animation/external/wpt/css/css-masking/clip-path/animations/clip-path-animation-filter.html [ Crash Failure Pass ]\n\n# Sheriff 2021-09-08\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/valid-image-before-load.https.html [ Pass Timeout ]\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/valid-image-after-load.https.html [ Pass Timeout ]\n\n# Sheriff 2021-09-13\ncrbug.com/1229701 [ Linux ] http/tests/inspector-protocol/network/disable-cache-media-resource.js [ Failure Pass Timeout ]\n\n# WebRTC simulcast tests contineue to be flaky\ncrbug.com/1230534 [ Win ] external/wpt/webrtc/simulcast/vp8.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 [ Win ] external/wpt/webrtc/simulcast/h264.https.html [ Pass Skip Timeout ]\n\n# Following tests fail on mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] css3/blending/svg-blend-exclusion.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] css3/blending/svg-blend-multiply.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/canvas/element/manual/drawing-images-to-the-canvas/image-orientation/drawImage-from-blob.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/largest-contentful-paint/image-src-change.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/service-workers/service-worker/clients-matchall-order.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/images/document-policy-oversized-images-forced-layout.php [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] transforms/transformed-document-element.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/element/manual/drawing-images-to-the-canvas/image-orientation/drawImage-from-blob.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/clients-matchall-order.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/console-timeline.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/threaded/http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/threaded/http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/codec-tests/webm/webm-decode.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/AudioBufferSource/audiobuffersource-detune-modulation.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/AudioBufferSource/audiobuffersource-playbackrate-modulation.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/Analyser/realtimeanalyser-freq-data.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/Oscillator/no-dezippering.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-restartIce.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/offsetparent-old-behavior/external/wpt/shadow-dom/accesskey.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/workers/interfaces/WorkerUtils/importScripts/blob-url.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/other/editing-around-select-element.tentative_insertText.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/run/delete_6001-last.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/run/forwarddelete_6001-last.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/semantics/embedded-content/media-elements/interfaces/TextTrackCue/endTime.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webaudio/the-audio-api/the-convolvernode-interface/realtime-conv.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/web-share/disabled-by-feature-policy.https.sub.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/content-security-policy/securitypolicyviolation/source-file-data-scheme.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/script-write-twice-transform.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/selection/textcontrols/selectionchange.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/constructor/002_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.worker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.sharedworker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/readyState/003_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/close/close-nested_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/close/close-connecting_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/unload-a-document/002_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/color/color-picker-escape-cancellation-revert.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/css/focus-display-block-inline.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/dom/geometry-interfaces-dom-matrix-rotate.html [ Failure ]\n\n# Following tests timeout on mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure Skip Timeout ]\n\n# Flaky tests in mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] transforms/3d/general/cssmatrix-3d-zoom.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/images/document-policy-lossy-images-max-bpp.php [ Failure Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/plaintext-mode-2.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-canvas.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/jpeg-with-color-profile.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-repeat.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-shape.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/console/console-time.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/console-timeline.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/timeline-layout.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/2-comp.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/resource-timing/nested-context-navigations-embed.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/block/float/float-on-clean-line-subsequently-dirtied.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-js/timeline-microtasks.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/intersection-observer/cross-origin-iframe-with-nesting.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/controls/overflow-menu-always-visible.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/markers/document-markers-font-8px.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/markers/document-markers-zoom-2000.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-layout/timeline-layout-reason.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/resource-timing/nested-context-navigations-object.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webvtt/rendering/cues-with-video/processing-model/audio_has_no_subtitles.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/preload/without_doc_write_evaluator.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/elements/accessibility/edit-aria-attributes.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/overlay/overlay-persistent-overlays-with-emulation.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scroll-unification/plugins/multiple-plugins.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/layers/clip-rects-transformed-2.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/page-frames.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/user-timing.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/frame-model-instrumentation.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/layout-fonts/lang-fallback.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-position/fixed-z-index-blend.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/profiler/live-line-level-heap-profile.js [ Pass Skip Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] images/color-profile-background-image-space.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-paint/update-layer-tree.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-clip.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/page/set-font-families.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/mediastream/mediastreamtrackprocessor-transfer-to-worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/text-autosizing/wide-iframe.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/layout-instability/recent-input.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-cover.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/performance/perf-metrics.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/event-timing/event-retarget.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/mimesniff/media/media-sniff.window.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audio-decoder.crossOriginIsolated.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audio-decoder.crossOriginIsolated.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.html?adts_aac [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.html?mp4_aac [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/video-decoder.crossOriginIsolated.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/video-decoder.crossOriginIsolated.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.html?h264_annexb [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.html?h264_avc [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/RTCRtpTransceiver-setCodecPreferences.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/protocol/video-codecs.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/simulcast/h264.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/mediarecorder/MediaRecorder-ignores-oversize-frames-h264.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/prerender/wpt_internal/prerender/restriction-encrypted-media.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/video-codecs.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/annexb_decoding.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/annexb_decoding.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/avc_encoder_config.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/avc_encoder_config.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/basic_video_encoding.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/temporal_svc.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/temporal_svc.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simulcast/h264.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.worker.html?adts_aac [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.worker.html?mp4_aac [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.worker.html?h264_annexb [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.worker.html?h264_avc [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/12-55.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/file/recover-file-input-in-unposted-form.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-015.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-003.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-014.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-filter-all.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scalefactor200withoutzoom/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scalefactor200/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/split.https.html [ Pass Timeout ]\n\n# mac-arm CI 10-01-2021\ncrbug.com/1249176 [ Mac11-arm64 ] editing/text-iterator/beforematch-async.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/event-timing/click-interactionid.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/webappapis/update-rendering/child-document-raf-order.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/idle-detection/interceptor.https.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/opened-document-security-origin-resets-on-navigation.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/runtime/runtime-install-binding.js [ Failure Pass ]\n\n# mac-arm CI 10-05-2021\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-object-fit.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-alloc-direct-call/fast/canvas/canvas-lost-gpu-context.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-svg.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/directly-composited-image-orientation.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scroll-unification/plugins/focus-change-1-no-change.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] plugins/plugin-remove-subframe.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/replaced/no-focus-ring-object.html [ Failure Pass ]\n\ncrbug.com/1249176 [ Mac11-arm64 ] editing/selection/find-in-text-control.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-min-max-attribute.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/suggestion-picker/time-suggestion-picker-mouse-operations.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/stylesheet-and-script-load-order-http.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/blob/send-sliced-data-blob.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/formdata/send-form-data-with-empty-name.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/xss-DENIED-assign-location-hostname.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/picture-in-picture/v2/request-picture-in-picture.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/invalidation/selection/invalidation-rect-includes-newline-for-rtl.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] storage/indexeddb/intversion-revert-on-abort.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] svg/animations/animate-setcurrenttime.html [ Crash ]\n\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-011.html [ Crash Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-018.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/xhr/send-no-response-event-loadend.htm [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/inspector-protocol/network/blocked-cookie-same-site-strict.js [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/inspector-protocol/network/xhr-post-replay-cors.js [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/cross-origin-shared-worker-allowed.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/cors-rfc1918/internal-to-internal-xhr.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/autoplay/webaudio-audio-context-init.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/picture-in-picture/v2/detached-iframe.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/composite-relative-keyframes/external/wpt/css/css-transforms/animation/transform-interpolation-005.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-no-child1-yes-subdomain-child2-no-port.sub.https.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/not-site-per-process/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/iframe-navigation/parent-no-1-no-same-2-yes-port.sub.https.html [ Crash Pass ]\n\n# Sheriff 2021-09-16\ncrbug.com/1250457 [ Win7 ] http/tests/devtools/sources/debugger-ui/script-formatter-breakpoints-3.js [ Failure ]\ncrbug.com/1250457 [ Mac ] virtual/scroll-unification/plugins/plugin-map-data-to-src.html [ Failure ]\ncrbug.com/1250457 [ Mac ] storage/websql/open-database-set-empty-version.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/not-site-per-process/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/1-iframe/parent-no-child-yes-same.sub.https.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/plz-dedicated-worker-cors-rfc1918/http/tests/security/cors-rfc1918/external-to-internal-xhr.php [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/portals/http/tests/devtools/portals/portals-console.js [ Skip Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/prefer_compositing_to_lcd_text/scrollbars/custom-scrollbar-inactive-pseudo.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/prerender/wpt_internal/prerender/csp-prefetch-src-allow.html [ Skip Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/reporting-api/external/wpt/content-security-policy/reporting-api/reporting-api-report-to-only-sends-reports-to-first-endpoint.https.sub.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/scalefactor200/css3/filters/filter-animation-multi-hw.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/scroll-unification/fast/events/space-scroll-textinput-canceled.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/shared_array_buffer_on_desktop/fast/css/text-overflow-ellipsis-bidi.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/shared_array_buffer_on_desktop/storage/indexeddb/keypath-arrays.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] external/wpt/html/syntax/speculative-parsing/generated/document-write/meta-viewport-link-stylesheet-media.tentative.sub.html [ Failure ]\n\ncrbug.com/1249622 external/wpt/largest-contentful-paint/initially-invisible-images.html [ Failure ]\ncrbug.com/1249622 virtual/initially-invisible-images-lcp/external/wpt/largest-contentful-paint/initially-invisible-images.html [ Pass ]\ncrbug.com/959296 external/wpt/largest-contentful-paint/observe-svg-background-image.html [ Failure ]\ncrbug.com/959296 virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/observe-svg-background-image.html [ Pass ]\ncrbug.com/959296 external/wpt/largest-contentful-paint/observe-svg-data-uri-background-image.html [ Failure ]\ncrbug.com/959296 virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/observe-svg-data-uri-background-image.html [ Pass ]\n\n# FileSystemHandle::move() is temporarily disabled outside of the Origin Private File System\ncrbug.com/1247850 external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 external/wpt/file-system-access/local_FileSystemFileHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Fuchsia ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Linux ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.12 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.13 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.14 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.15 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac11 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Win ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-rename-manual.https.html [ Failure ]\n# FileSystemHandle::move() is temporarily disabled for directory handles\ncrbug.com/1250534 external/wpt/file-system-access/local_FileSystemDirectoryHandle-move-manual.https.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/local_FileSystemDirectoryHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.worker.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.worker.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemDirectoryHandle-move-manual.https.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemDirectoryHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.worker.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.worker.html [ Failure ]\n\n# Sheriff 2021-09-23\ncrbug.com/1164568 [ Mac10.12 ] external/wpt/html/cross-origin-opener-policy/reporting/navigation-reporting/reporting-popup-same-origin-allow-popups-report-to.https.html [ Failure ]\ncrbug.com/1164568 [ Mac10.13 ] external/wpt/html/cross-origin-opener-policy/reporting/navigation-reporting/reporting-popup-same-origin-allow-popups-report-to.https.html [ Failure ]\n\n# Sheriff 2021-09-27\n# Revisit once crbug.com/1123886 is addressed.\n# Likely has the same root cause for crashes.\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-start-delay.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-start-delay.https.html [ Skip ]\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-with-non-ascii-name.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-non-ascii-name.https.html [ Skip ]\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-local-time-after-duration.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-after-duration.https.html [ Skip ]\ncrbug.com/930462 external/wpt/animation-worklet/worklet-animation-pause-resume.https.html [ Skip ]\ncrbug.com/930462 virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-resume.https.html [ Skip ]\n\n# Sheriff 2021-09-29\ncrbug.com/1254163 [ Mac ] virtual/scroll-unification/ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure ]\n\n# Sheriff 2021-10-01\ncrbug.com/1255014 [ Linux ] virtual/scroll-unification-overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure Pass ]\ncrbug.com/1254963 [ Win ] external/wpt/mathml/presentation-markup/mrow/inferred-mrow-stretchy.html [ Crash Pass ]\ncrbug.com/1255221 http/tests/devtools/elements/styles-4/svg-style.js [ Failure Pass ]\n\n# Sheriff 2021-10-04\ncrbug.com/1226112 [ Win ] http/tests/text-autosizing/wide-iframe.html [ Pass Timeout ]\n\n# Temporarily disable to land DevTools changes\ncrbug.com/1260776 http/tests/devtools/console-xhr-logging.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/network/script-as-text-loading-long-url.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/network/script-as-text-loading-with-caret.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/sources/debugger/async-callstack-network-initiator.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/console-resource-errors.js [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1222126 http/tests/devtools/domdebugger/domdebugger-getEventListeners.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/cache-storage/cache-live-update-list.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/runtime/evaluate-timeout.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/resource-har-headers.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/resource-har-conversion.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/network/network-choose-preview-view.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/network/json-preview.js [ Skip ]\ncrbug.com/1215072 http/tests/devtools/elements/copy-styles.js [ Skip ]\n\n# Skip devtools test hitting an unexpected tracing infrastructure exception 2021-10-04\ncrbug.com/1255679 http/tests/devtools/service-workers/service-workers-wasm-test.js [ Skip ]\n\n# Sheriff 2021-10-05\ncrbug.com/1256755 http/tests/xmlhttprequest/cross-origin-unsupported-url.html [ Failure Pass ]\ncrbug.com/1256770 [ Mac ] svg/dynamic-updates/SVGFEComponentTransferElement-dom-intercept-attr.html [ Failure Pass ]\ncrbug.com/1256763 [ Win ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Mac ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\n\n# Disabled to allow devtools-frontend roll\ncrbug.com/1258618 virtual/portals/http/tests/devtools/portals/portals-elements-nesting-after-adoption.js [ Skip ]\n\n# Sheriff 2021-10-06\ncrbug.com/1257298 svg/dynamic-updates/SVGFEComponentTransferElement-dom-tableValues-attr.html [ Failure Pass ]\n\n# Sheriff 2021-10-07\ncrbug.com/1257570 [ Win7 ] fast/dom/vertical-scrollbar-in-rtl.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-cover.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-repeat.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-space.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-clip.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-filter-all.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-shape.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-object.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-svg.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/jpeg-with-color-profile.html [ Failure Pass ]\n\n# Sheriff 2021-10-12\ncrbug.com/1259133 [ Mac10.14 ] external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1259133 [ Mac10.14 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1259188 [ Mac10.14 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/1197465 [ Win7 ] virtual/scroll-unification/fast/events/mouse-cursor-no-mousemove.html [ Failure Pass ]\ncrbug.com/1259277 [ Debug Linux ] virtual/scroll-unification/fast/events/message-port-multi.html [ Failure Pass ]\n\n# Sheriff 2021-10-13\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.html [ Failure Pass ]\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.serviceworker.html [ Failure Pass ]\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.sharedworker.html [ Failure Pass ]\n\n# Data URL navigation within Fenced Frames currently crashed in the MPArch implementation.\ncrbug.com/1243568 virtual/fenced-frame-mparch/wpt_internal/fenced_frame/window-data-url-navigation.html [ Crash ]\n\n# Sheriff 2021-10-15\ncrbug.com/1256763 [ Linux ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/1260393 [ Mac ] virtual/oopr-canvas2d/fast/canvas/color-space/canvas-createImageBitmap-p3.html [ Failure Pass ]\n\n# Sheriff 2021-10-19\ncrbug.com/1256763 [ Linux ] images/color-profile-background-image-cross-fade.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] images/color-profile-background-clip-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] virtual/gpu-rasterization/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1259277 [ Mac ] fast/events/message-port-multi.html [ Failure Pass ]\n\n# Sheriff 2021-10-20\ncrbug.com/1261770 crbug.com/1245166 [ Linux ] external/wpt/web-bundle/subresource-loading/script-relative-url-in-web-bundle-cors.https.tentative.sub.html [ Failure Pass ]\ncrbug.com/1261770 crbug.com/1245166 [ Linux ] virtual/wbn-from-network/external/wpt/web-bundle/subresource-loading/script-relative-url-in-web-bundle-cors.https.tentative.sub.html [ Failure Pass ]\n\n# Sheriff 2021-10-26\ncrbug.com/1263349 [ Linux ] external/wpt/resource-timing/object-not-found-after-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-navigation.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-subresource-corp.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-endpoint.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/report-only-require-corp.https.html [ Failure Pass ]\ncrbug.com/1263732 http/tests/devtools/tracing/timeline-paint/timeline-paint-image.js [ Failure Pass ]\n\n# Sheriff 2021-10-29\ncrbug.com/1264670 [ Linux ] http/tests/devtools/resource-tree/resource-tree-frame-add.js [ Failure Pass ]\ncrbug.com/1264753 [ Mac10.12 ] external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.13 ] external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264775 [ Mac11-arm64 ] external/wpt/webrtc-stats/supported-stats.html [ Failure ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264775 [ Mac10.14 ] external/wpt/webrtc-stats/supported-stats.html [ Failure ]\n\n# Sheriff 2021-11-02\ncrbug.com/1265924 [ Fuchsia ] synthetic_gestures/smooth-scroll-tiny-delta.html [ Failure Pass ]\n\n# V8 roll\ncrbug.com/1257806 http/tests/devtools/console/console-external-array.js [ Skip ]\ncrbug.com/1257806 http/tests/devtools/console/console-log-side-effects.js [ Skip ]\n\n# TODO(https://crbug.com/1265311): Make the test behave the same way on all platforms\ncrbug.com/1265311 http/tests/navigation/location-change-repeated-from-blank.html [ Failure Pass ]\n\n# Sheriff 2021-11-03\ncrbug.com/1266199 [ Mac10.12 ] fast/css3-text/css3-text-decoration/text-decoration-style-wavy-font-size.html [ Failure Pass ]\ncrbug.com/1266221 [ Mac11-arm64 ] virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemFileHandle-create-sync-access-handle.https.tentative.window.html [ Failure Pass ]\ncrbug.com/1263354 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-adds-entry.html [ Failure Pass Timeout ]\n\ncrbug.com/1267076 wpt_internal/fenced_frame/navigator-keyboard-layout-map.https.html [ Failure ]\n\n# Sheriff 2021-11-08\ncrbug.com/1267734 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-after-TAO-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1267736 [ Win ] http/tests/devtools/bindings/jssourcemap-bindings-overlapping-sources.js [ Failure Pass ]\n\n# Sheriff 2021-11-09\ncrbug.com/1268259 [ Linux ] images/color-profile-image-canvas-pattern.html [ Failure ]\ncrbug.com/1268265 [ Mac10.14 ] virtual/prerender/external/wpt/speculation-rules/prerender/local-storage.html [ Failure ]\ncrbug.com/1268439 [ Linux ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1268439 [ Win10.20h2 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1268518 [ Linux ] external/wpt/web-animations/interfaces/Animation/onfinish.html [ Failure Pass ]\ncrbug.com/1268518 [ Mac10.12 ] external/wpt/web-animations/interfaces/Animation/onfinish.html [ Failure Pass ]\ncrbug.com/1268519 [ Win10.20h2 ] virtual/scroll-unification/http/tests/misc/resource-timing-sizes-multipart.html [ Failure Pass ]\ncrbug.com/1267734 [ Win7 ] css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1267734 [ Win7 ] virtual/scroll-unification/fast/forms/suggestion-picker/week-suggestion-picker-appearance.html [ Failure Pass ]\n\n# Sheriff 2021-11-10\ncrbug.com/1268931 [ Win10.20h2 ] css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1268963 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-after-TAO-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1268947 [ Linux ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/sources/debugger/async-callstack-network-initiator.js [ Failure Pass ]\ncrbug.com/1269011 [ Mac10.14 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1269011 [ Mac11-arm64 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\n\nediting/selection/caret-at-bidi-boundary.html [ Skip ]" + } +} \ No newline at end of file diff --git a/tools/disable_tests/tests/expectations-virtual-conditional-to-unconditional.json b/tools/disable_tests/tests/expectations-virtual-conditional-to-unconditional.json new file mode 100644 index 0000000000000..29ba6b5df4409 --- /dev/null +++ b/tools/disable_tests/tests/expectations-virtual-conditional-to-unconditional.json @@ -0,0 +1,13 @@ +{ + "args": [ + "./disable", + "virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html" + ], + "requests": "{\"GetTestResultHistory/{\\\"realm\\\": \\\"chromium:ci\\\", \\\"testIdRegexp\\\": \\\"ninja://.*/virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html(/.*)?\\\", \\\"pageSize\\\": 1}\": \"{\\\"entries\\\":[{\\\"invocationTimestamp\\\":\\\"2021-11-15T01:09:34.872697Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-5739f9b22af0c011/tests/ninja:%2F%2F:blink_web_tests%2Fvirtual%2Fscalefactor200%2Fcss3%2Ffilters%2Fcomposited-layer-bounds-after-sw-blur-animation.html/results/d2306319-01090\\\",\\\"testId\\\":\\\"ninja://:blink_web_tests/virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html\\\",\\\"resultId\\\":\\\"d2306319-01090\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Mac10.13 Tests\\\",\\\"os\\\":\\\"Mac-10.13.6\\\",\\\"test_suite\\\":\\\"blink_web_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"FAIL\\\",\\\"duration\\\":\\\"1.518941s\\\",\\\"variantHash\\\":\\\"3e43324bac82d3f3\\\"}}],\\\"nextPageToken\\\":\\\"CgJ0cwoYMDhjZWU2YzY4YzA2MTBhODk5OTFhMDAzCgEx\\\"}\\n\", \"GetTestResult/{\\\"name\\\": \\\"invocations/task-chromium-swarm.appspot.com-5739f9b22af0c011/tests/ninja:%2F%2F:blink_web_tests%2Fvirtual%2Fscalefactor200%2Fcss3%2Ffilters%2Fcomposited-layer-bounds-after-sw-blur-animation.html/results/d2306319-01090\\\"}\": \"{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-5739f9b22af0c011/tests/ninja:%2F%2F:blink_web_tests%2Fvirtual%2Fscalefactor200%2Fcss3%2Ffilters%2Fcomposited-layer-bounds-after-sw-blur-animation.html/results/d2306319-01090\\\",\\\"testId\\\":\\\"ninja://:blink_web_tests/virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html\\\",\\\"resultId\\\":\\\"d2306319-01090\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Mac10.13 Tests\\\",\\\"os\\\":\\\"Mac-10.13.6\\\",\\\"test_suite\\\":\\\"blink_web_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"FAIL\\\",\\\"summaryHtml\\\":\\\"\\\\u003ch3\\\\u003ecommand\\\\u003c/h3\\\\u003e\\\\u003cp\\\\u003e\\\\u003ctext-artifact artifact-id=\\\\\\\"command\\\\\\\" /\\\\u003e\\\\u003c/p\\\\u003e\\\",\\\"duration\\\":\\\"1.518941s\\\",\\\"tags\\\":[{\\\"key\\\":\\\"monorail_component\\\",\\\"value\\\":\\\"Blink\\\\u003eCSS\\\"},{\\\"key\\\":\\\"raw_typ_expectation\\\",\\\"value\\\":\\\"Failure\\\"},{\\\"key\\\":\\\"raw_typ_expectation\\\",\\\"value\\\":\\\"Pass\\\"},{\\\"key\\\":\\\"step_name\\\",\\\"value\\\":\\\"blink_web_tests on Mac-10.13.6\\\"},{\\\"key\\\":\\\"team_email\\\",\\\"value\\\":\\\"layout-dev@chromium.org\\\"},{\\\"key\\\":\\\"test_name\\\",\\\"value\\\":\\\"virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html\\\"},{\\\"key\\\":\\\"typ_tag\\\",\\\"value\\\":\\\"mac\\\"},{\\\"key\\\":\\\"typ_tag\\\",\\\"value\\\":\\\"mac10.13\\\"},{\\\"key\\\":\\\"typ_tag\\\",\\\"value\\\":\\\"release\\\"},{\\\"key\\\":\\\"typ_tag\\\",\\\"value\\\":\\\"x86\\\"},{\\\"key\\\":\\\"web_tests_base_timeout\\\",\\\"value\\\":\\\"6\\\"},{\\\"key\\\":\\\"web_tests_device_failed\\\",\\\"value\\\":\\\"False\\\"},{\\\"key\\\":\\\"web_tests_flag_specific_config_name\\\"},{\\\"key\\\":\\\"web_tests_result_type\\\",\\\"value\\\":\\\"FAIL\\\"},{\\\"key\\\":\\\"web_tests_used_expectations_file\\\",\\\"value\\\":\\\"NeverFixTests\\\"},{\\\"key\\\":\\\"web_tests_used_expectations_file\\\",\\\"value\\\":\\\"SlowTests\\\"},{\\\"key\\\":\\\"web_tests_used_expectations_file\\\",\\\"value\\\":\\\"StaleTestExpectations\\\"},{\\\"key\\\":\\\"web_tests_used_expectations_file\\\",\\\"value\\\":\\\"TestExpectations\\\"},{\\\"key\\\":\\\"web_tests_used_expectations_file\\\",\\\"value\\\":\\\"WebDriverExpectations\\\"}],\\\"variantHash\\\":\\\"3e43324bac82d3f3\\\",\\\"testMetadata\\\":{\\\"name\\\":\\\"virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html\\\",\\\"location\\\":{\\\"repo\\\":\\\"https://chromium.googlesource.com/chromium/src\\\",\\\"fileName\\\":\\\"//third_party/blink/web_tests/css3/filters/composited-layer-bounds-after-sw-blur-animation.html\\\"}}}\\n\"}", + "read_data": { + "third_party/blink/web_tests/TestExpectations": "# tags: [ Android Fuchsia Linux Mac Mac10.12 Mac10.13 Mac10.14 Mac10.15 Mac11 Mac11-arm64 Win Win7 Win10.20h2 ]\n# tags: [ Release Debug ]\n# results: [ Timeout Crash Pass Failure Skip ]\n\n# This is the main failure suppression file for Blink LayoutTests.\n# Further documentation:\n# https://chromium.googlesource.com/chromium/src/+/master/docs/testing/web_test_expectations.md\n\n# Intentional failures to test the layout test system.\nharness-tests/crash.html [ Crash ]\nharness-tests/timeout.html [ Timeout ]\nfast/harness/sample-fail-mismatch-reftest.html [ Failure ]\n\n# Expected to fail.\nexternal/wpt/infrastructure/reftest/legacy/reftest_and_fail_0-ref.html [ Failure ]\nexternal/wpt/infrastructure/reftest/legacy/reftest_cycle_fail_0-ref.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-0.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-1.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-4.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-5.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-6.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-7.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_fail.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_mismatch_fail.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_multiple_mismatch-0.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_multiple_mismatch-1.html [ Failure ]\naccessibility/slot-poison.html [ Failure ]\n\n# Expected to time out.\nexternal/wpt/infrastructure/expected-fail/timeout.html [ Timeout ]\nexternal/wpt/infrastructure/reftest/reftest_ref_timeout.html [ Timeout ]\nexternal/wpt/infrastructure/reftest/reftest_timeout.html [ Timeout ]\n\n# We don't support extracting fuzzy information from .ini files, which these\n# WPT infrastructure tests rely on.\ncrbug.com/997202 external/wpt/infrastructure/reftest/legacy/reftest_fuzzy_chain_ini.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/legacy/fuzzy-ref-2.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_full.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_ref_only.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_short.html [ Failure ]\n\n# WPT HTTP/2 is not fully supported by run_web_tests.\ncrbug.com/1048761 external/wpt/infrastructure/server/http2-websocket.sub.h2.any.html [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/http2-websocket.sub.h2.any.worker.html [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/wpt-server-wpt-flags.sub.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/wpt-server-wpt-flags.sub.html?wpt_flags=https [ Failure ]\n\n# The following tests pass or fail depending on the underlying protocol (HTTP/1.1 vs HTTP/2).\n# The results of failures could be also different depending on the underlying protocol.\ncrbug.com/1048761 external/wpt/websockets/constructor/002.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/constructor/002.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/001.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/004.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/004.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/005.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/close/close-connecting.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/close/close-nested.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/readyState/003.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/unload-a-document/002.html?wss [ Failure Pass ]\n\n# Tests are flaky after a WPT import\ncrbug.com/1204961 [ Mac ] external/wpt/websockets/stream/tentative/abort.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/1204961 [ Mac ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wpt_flags=h2 [ Failure Pass ]\n# Flaking on WebKit Linux MSAN\ncrbug.com/1207373 [ Linux ] external/wpt/uievents/order-of-events/mouse-events/mousemove-across.html [ Failure Pass ]\n\n# WPT Test harness doesn't deal with finding an about:blank ref test\ncrbug.com/1066130 external/wpt/infrastructure/assumptions/blank.html [ Failure ]\n\n# Favicon is not supported by run_web_tests.\nexternal/wpt/fetch/metadata/favicon.https.sub.html [ Skip ]\n\ncrbug.com/807686 crbug.com/24182 jquery/manipulation.html [ Pass Skip Timeout ]\n\n# The following tests need to remove the assumption that user activation is\n# available in child/sibling frames. This assumption doesn't hold with User\n# Activation v2 (UAv2).\ncrbug.com/906791 external/wpt/fullscreen/api/element-ready-check-allowed-cross-origin-manual.sub.html [ Timeout ]\n\n# These two are left over from crbug.com/881040, I rebaselined them twice and\n# they continue to fail.\ncrbug.com/881040 media/controls/lazy-loaded-style.html [ Failure Pass ]\n\n# With --enable-display-compositor-pixel-dump enabled by default, these three\n# tests fail. See crbug.com/887140 for more info.\ncrbug.com/887140 virtual/hdr/color-jpeg-with-color-profile.html [ Failure ]\ncrbug.com/887140 virtual/hdr/color-profile-video.html [ Failure ]\ncrbug.com/887140 virtual/hdr/video-canvas-alpha.html [ Failure ]\n\n# Tested by paint/background/root-element-background-transparency.html for now.\nexternal/wpt/css/compositing/root-element-background-transparency.html [ Failure ]\n\n# ====== Synchronous, budgeted HTML parser tests from here ========================\n\n# See crbug.com/1254921 for details!\n#\n# These tests either fail outright, or become flaky, when these two flags/parameters are enabled:\n# --enable-features=ForceSynchronousHTMLParsing,LoaderDataPipeTuning:allocation_size_bytes/2097152/loader_chunk_size/1048576\n\n# app-history tests - fail:\ncrbug.com/1254926 external/wpt/app-history/navigate-event/navigate-history-back-after-fragment.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/navigate/navigate-same-document-event-order.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-app-history-back-forward-same-doc.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-app-history-navigate-same-doc.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-history-back-same-doc.html [ Failure ]\n\n# Extra line info appears in the output in some cases.\ncrbug.com/1254932 http/tests/preload/meta-csp.html [ Failure ]\n\n# Extra box in the output:\ncrbug.com/1254933 css3/filters/filterRegions.html [ Failure ]\n\n\n# Script preloaded: No\ncrbug.com/1254940 http/tests/security/contentSecurityPolicy/nonces/scriptnonce-redirect.html [ Failure ]\n\n# Test fails:\ncrbug.com/1254942 http/tests/security/subresourceIntegrity/revalidation-failed-script.html [ Failure ]\ncrbug.com/1254942 http/tests/security/subresourceIntegrity/empty-after-revalidate-script.html [ Failure ]\n\n# Two paint failures:\ncrbug.com/1254943 paint/invalidation/overflow/resize-child-within-overflow.html [ Failure ]\ncrbug.com/1254943 fast/events/hit-test-counts.html [ Failure ]\n\n# Image isn't present:\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-dom-offset-attr.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-intercept-prop.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-offset-prop.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-tableValues-prop.html [ Failure Pass ]\n\n# Fails flakily or times out\ncrbug.com/1255285 virtual/threaded/transitions/transition-currentcolor.html [ Failure Pass ]\ncrbug.com/1255285 virtual/threaded/transitions/transition-ends-before-animation-frame.html [ Timeout ]\n\n# Unknown media state flakiness (likely due to layout occuring earlier than expected):\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-candidate-insert-before.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-audio-constructor.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source-not-in-document.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source-networkState.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-in-sync-event.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-from-document.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-load.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-pause-networkState.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-pause.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-play.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-from-document-networkState.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-set-src-not-in-document.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-set-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-remove-source.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-remove-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-selection-metadata.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-cuechange.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-enter-exit.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-remove-insert-ready-state.html [ Failure Pass ]\n\n# ====== Synchronous, budgeted HTML parser tests to here ========================\n\ncrbug.com/1264472 plugins/focus-change-2-change-focus.html [ Failure Pass ]\n\n\ncrbug.com/1197502 [ Win ] http/tests/intersection-observer/cross-origin-iframe-with-nesting.html [ Failure Pass ]\n\n# ====== Site Isolation failures from here ======\n# See also third_party/blink/web_tests/virtual/not-site-per-process/README.md\n# Tests temporarily disabled with Site Isolation - uninvestigated bugs:\n# TODO(lukasza, alexmos): Burn down this list.\ncrbug.com/949003 http/tests/printing/cross-site-frame-scrolled.html [ Failure Pass ]\ncrbug.com/949003 http/tests/printing/cross-site-frame.html [ Failure Pass ]\n# ====== Site Isolation failures until here ======\n\n# ====== Oilpan-only failures from here ======\n# Most of these actually cause the tests to report success, rather than\n# failure. Expected outputs will be adjusted for the better once Oilpan\n# has been well and truly enabled always.\n# ====== Oilpan-only failures until here ======\n\n# ====== Browserside navigation from here ======\n# These tests started failing when browser-side navigation was turned on.\ncrbug.com/759632 http/tests/devtools/network/network-datasaver-warning.js [ Failure ]\n# ====== Browserside navigation until here ======\n\n# ====== Paint team owned tests from here ======\n# The paint team tracks and triages its test failures, and keeping them colocated\n# makes tracking much easier.\n# Covered directories are:\n# compositing except compositing/animations\n# hittesting\n# images, css3/images,\n# paint\n# svg\n# canvas, fast/canvas\n# transforms\n# display-lock\n# Some additional bugs that are caused by painting problems are also within this section.\n\n# --- Begin CompositeAfterPaint Tests --\n# Only whitelisted tests run under the virtual suite.\n# More tests run with CompositeAfterPaint on the flag-specific try bot.\nvirtual/composite-after-paint/* [ Skip ]\nvirtual/composite-after-paint/compositing/backface-visibility/* [ Pass ]\nvirtual/composite-after-paint/compositing/backgrounds/* [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/abs-position-inside-opacity.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/composited-html-size.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/outline-change.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/tall-page-composited.html [ Pass ]\nvirtual/composite-after-paint/compositing/gestures/gesture-tapHighlight-img.html [ Pass ]\nvirtual/composite-after-paint/compositing/gestures/gesture-tapHighlight-simple-scaledY.html [ Pass ]\nvirtual/composite-after-paint/compositing/iframes/iframe-in-composited-layer.html [ Pass ]\nvirtual/composite-after-paint/compositing/masks/mask-of-clipped-layer.html [ Pass ]\nvirtual/composite-after-paint/compositing/overflow/clip-rotate-opacity-fixed.html [ Pass ]\nvirtual/composite-after-paint/compositing/overlap-blending/children-opacity-huge.html [ Pass ]\nvirtual/composite-after-paint/compositing/plugins/* [ Pass ]\nvirtual/composite-after-paint/compositing/reflections/reflection-ordering.html [ Pass ]\nvirtual/composite-after-paint/compositing/rtl/rtl-overflow-scrolling.html [ Pass ]\nvirtual/composite-after-paint/compositing/squashing/squash-composited-input.html [ Pass ]\nvirtual/composite-after-paint/compositing/transitions/opacity-on-inline.html [ Pass ]\nvirtual/composite-after-paint/compositing/will-change/stacking-context-creation.html [ Pass ]\nvirtual/composite-after-paint/compositing/z-order/* [ Pass ]\nvirtual/composite-after-paint/paint/background/* [ Pass ]\nvirtual/composite-after-paint/paint/filters/* [ Pass ]\nvirtual/composite-after-paint/paint/frames/* [ Pass ]\nvirtual/composite-after-paint/scrollingcoordinator/* [ Pass ]\n# --- End CompositeAfterPaint Tests --\n\n# --- CanvasFormattedText tests ---\n# Fails on linux-rel even though actual and expected appear the same.\ncrbug.com/1176933 [ Linux ] virtual/gpu/fast/canvas/canvas-formattedtext-2.html [ Skip ]\n\n# --- END CanvasFormattedText tests\n\n# These tests were disabled to allow enabling WebAssembly Reference Types.\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/global/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/global/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/constructor-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/constructor-reftypes.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/set-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/set-reftypes.tentative.any.worker.html [ Failure Pass ]\n\n# These tests block fixes done in V8. The tests run on the V8 bots as well.\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/toString.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/toString.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/constructor-types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/constructor-types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/prototypes.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/prototypes.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor-types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor-types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow-reftypes.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/get-set.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/get-set.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow.any.worker.html [ Failure Pass ]\n\n# Sheriff on 2020-09-03\ncrbug.com/1124352 media/picture-in-picture/clear-after-request.html [ Crash Pass ]\ncrbug.com/1124352 media/picture-in-picture/controls/picture-in-picture-button.html [ Crash Pass ]\ncrbug.com/1124352 media/picture-in-picture/picture-in-picture-interstitial.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/css-selector.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/exit-picture-in-picture.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/picture-in-picture-element.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/shadow-dom.html [ Crash Pass ]\n\ncrbug.com/1174966 [ Mac ] external/wpt/webrtc/RTCPeerConnection-restartIce.https.html [ Failure Pass Timeout ]\ncrbug.com/1174965 [ Mac ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDtlsTransport-state.html [ Failure Pass ]\n\n# These tests require portals, and some require cross-origin portals.\n# Keep this in sync with VirtualTestSuites.\ncrbug.com/1093466 external/wpt/fetch/metadata/portal.https.sub.html [ Skip ]\ncrbug.com/1093466 external/wpt/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/devtools/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/inspector-protocol/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/portals/* [ Skip ]\ncrbug.com/1093466 wpt_internal/portals/* [ Skip ]\ncrbug.com/1093466 virtual/portals/external/wpt/fetch/metadata/portal.https.sub.html [ Pass ]\ncrbug.com/1093466 virtual/portals/external/wpt/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/devtools/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/inspector-protocol/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/wpt_internal/portals/* [ Pass ]\n\n# These tests require the experimental prerender feature.\n# See https://crbug.com/1126305.\ncrbug.com/1126305 external/wpt/speculation-rules/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/external/wpt/speculation-rules/prerender/* [ Pass ]\ncrbug.com/1126305 wpt_internal/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/wpt_internal/prerender/* [ Pass ]\ncrbug.com/1126305 http/tests/inspector-protocol/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/http/tests/inspector-protocol/prerender/* [ Pass ]\n\n## prerender test: the File System Access API is not supported on Android ##\ncrbug.com/1182032 [ Android ] virtual/prerender/wpt_internal/prerender/restriction-local-file-system-access.https.html [ Skip ]\n## prerender test: Notification constructor is not supported on Android ##\ncrbug.com/1198110 [ Android ] virtual/prerender/external/wpt/speculation-rules/prerender/restriction-notification.https.html [ Skip ]\n\n# These tests require BFCache, which is currently disabled by default on Desktop.\n# Keep this in sync with VirtualTestSuites.\ncrbug.com/1171298 http/tests/inspector-protocol/bfcache/* [ Skip ]\ncrbug.com/1171298 http/tests/devtools/bfcache/* [ Skip ]\ncrbug.com/1171298 virtual/bfcache/http/tests/inspector-protocol/bfcache/* [ Pass ]\ncrbug.com/1171298 virtual/bfcache/http/tests/devtools/bfcache/* [ Pass ]\n\n# These tests require LazyEmbed, which is currently disabled by default.\ncrbug.com/1247131 virtual/automatic-lazy-frame-loading/wpt_internal/lazyembed/* [ Pass ]\ncrbug.com/1247131 wpt_internal/lazyembed/* [ Skip ]\n\n# These tests require the mparch based fenced frames.\ncrbug.com/1260483 http/tests/inspector-protocol/fenced-frame/* [ Skip ]\ncrbug.com/1260483 virtual/fenced-frame-mparch/http/tests/inspector-protocol/fenced-frame/* [ Pass ]\n\n# Ref test with very minor differences. We need fuzzy matching for our ref tests,\n# or upstream this to WPT.\ncrbug.com/1185506 svg/text/textpath-pattern.svg [ Failure Pass ]\n\ncrbug.com/807395 fast/multicol/mixed-opacity-test.html [ Failure ]\n\n########## Ref tests can't be rebaselined ##########\ncrbug.com/504613 crbug.com/524248 [ Mac ] paint/images/image-backgrounds-not-antialiased.html [ Failure ]\n\ncrbug.com/619103 paint/invalidation/background/background-resize-width.html [ Failure Pass ]\n\ncrbug.com/784956 fast/history/frameset-repeated-name.html [ Failure Pass ]\n\n\n########## Genuinely flaky ##########\ncrbug.com/624233 virtual/gpu-rasterization/images/color-profile-background-clip-text.html [ Failure Pass ]\ncrbug.com/757605 virtual/gpu-rasterization/images/jpeg-yuv-progressive-image.html [ Failure Pass ]\ncrbug.com/1223284 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-cross-fade.html [ Failure Pass ]\ncrbug.com/1223284 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-cross-fade.html [ Failure Pass ]\n\n########## Bugs to fix ##########\n# This is a missing event and increasing the timeout or using run-after-layout-and-paint doesn't\n# seem to fix it.\ncrbug.com/309675 compositing/gestures/gesture-tapHighlight-simple-longPress.html [ Failure ]\n\ncrbug.com/845267 [ Mac ] http/tests/inspector-protocol/page/page-lifecycleEvents.js [ Failure Pass ]\ncrbug.com/1046784 http/tests/inspector-protocol/page/page-events-associated-isolation.js [ Failure Pass ]\n\n# Looks like a failure to get a paint on time. Test could be changed to use runAfterLayoutAndPaint\n# instead of a timeout, which may fix things.\ncrbug.com/713049 images/color-profile-reflection.html [ Failure Pass ]\ncrbug.com/713049 virtual/gpu-rasterization/images/color-profile-reflection.html [ Failure Pass Timeout ]\n\n# This test was attributed to site isolation but times out with or without it. Broken test?\ncrbug.com/1050826 external/wpt/mixed-content/gen/top.http-rp/opt-in/object-tag.https.html [ Skip Timeout ]\n\ncrbug.com/791941 virtual/exotic-color-space/images/color-profile-border-fade.html [ Failure Pass ]\ncrbug.com/791941 virtual/gpu-rasterization/images/color-profile-border-fade.html [ Failure Pass ]\n\ncrbug.com/1098369 fast/canvas/OffscreenCanvas-copyImage.html [ Failure Pass ]\n\ncrbug.com/1106590 virtual/gpu/fast/canvas/canvas-path-non-invertible-transform.html [ Crash Pass ]\n\ncrbug.com/1237275 fast/canvas/layers-lonebeginlayer.html [ Failure Pass ]\ncrbug.com/1237275 fast/canvas/layers-unmatched-beginlayer.html [ Failure Pass ]\ncrbug.com/1231615 fast/canvas/layers-nested.html [ Failure Pass ]\n\n# Assorted WPT canvas tests failing\ncrbug.com/1093709 external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.resize.html [ Failure Pass ]\ncrbug.com/1243128 [ Win ] external/wpt/html/canvas/element/wide-gamut-canvas/2d.color.space.p3.fillText.html [ Failure ]\ncrbug.com/1243128 [ Win ] external/wpt/html/canvas/element/wide-gamut-canvas/2d.color.space.p3.fillText.shadow.html [ Failure ]\ncrbug.com/1170062 [ Linux ] external/wpt/html/canvas/element/manual/shadows/canvas_shadows_001.htm [ Pass Timeout ]\ncrbug.com/1170062 [ mac ] external/wpt/html/canvas/element/manual/shadows/canvas_shadows_001.htm [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.html [ Pass Skip Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/fill-and-stroke-styles/2d.gradient.interpolate.zerosize.fillText.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.zero.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.html [ Pass Skip Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/fill-and-stroke-styles/2d.gradient.interpolate.zerosize.fillText.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.zero.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac10.13 ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.worker.html [ Timeout ]\ncrbug.com/1170337 [ Mac10.13 ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.worker.html [ Skip Timeout ]\n\n# Off by one pixel error on ref test\ncrbug.com/1259367 [ Mac ] printing/offscreencanvas-webgl-printing.html [ Failure ]\n\n# Subpixel differences due to compositing on Mac10.14+.\ncrbug.com/997202 [ Mac10.14 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/997202 [ Mac10.15 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/997202 [ Mac11 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\n\n# This test depends on synchronous focus() which does not exist (anymore?).\ncrbug.com/1074482 external/wpt/html/interaction/focus/the-autofocus-attribute/update-the-rendering.html [ Failure ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-by-feature-policy-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-by-feature-policy-attribute-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-by-feature-policy-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-by-feature-policy-attribute-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1105278 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-on-self-origin-by-feature-policy.tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1104125 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-on-self-origin-by-feature-policy.tentative.https.sub.html [ Failure Pass ]\n\n# This test has a bug in it that prevents it from being able to deal with order\n# differences it claims to support.\ncrbug.com/1076129 external/wpt/service-workers/service-worker/clients-matchall-frozen.https.html [ Failure Pass ]\n\n# Flakily timing out or failing.\n# TODO(ccameron): Investigate this.\ncrbug.com/730267 virtual/gpu-rasterization/images/color-profile-group.html [ Failure Pass Skip Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-layer.html [ Failure Pass Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure Pass Skip Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization-disable-yuv/images/yuv-decode-eligible/color-profile-layer.html [ Failure Pass Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization-disable-yuv/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure Pass Skip Timeout ]\n\n# Flaky virtual/threaded/fast/scrolling tests\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/absolute-position-behind-scrollbar.html [ Failure Pass ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/fixed-position-behind-scrollbar.html [ Failure Pass ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/listbox-wheel-event.html [ Failure Pass Timeout ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/overflow-scrollability.html [ Failure Pass Timeout ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/same-page-navigate.html [ Failure Pass ]\n\ncrbug.com/915926 fast/events/touch/multi-touch-user-gesture.html [ Failure Pass ]\n\ncrbug.com/736052 compositing/overflow/composited-scroll-with-fractional-translation.html [ Failure Pass ]\n\n# New OffscreenCanvas Tests that are breaking LayoutTest\n\ncrbug.com/980969 http/tests/input/discard-events-to-unstable-iframe.html [ Failure Pass ]\n\ncrbug.com/1086591 external/wpt/css/mediaqueries/aspect-ratio-004.html [ Failure ]\ncrbug.com/1086591 external/wpt/css/mediaqueries/device-aspect-ratio-002.html [ Failure ]\ncrbug.com/1002049 external/wpt/css/mediaqueries/aspect-ratio-005.html [ Failure ]\ncrbug.com/1002049 external/wpt/css/mediaqueries/aspect-ratio-006.html [ Failure ]\ncrbug.com/946762 external/wpt/css/mediaqueries/mq-gamut-004.html [ Failure ]\ncrbug.com/946762 external/wpt/css/mediaqueries/mq-gamut-002.html [ Failure ]\ncrbug.com/962417 external/wpt/css/mediaqueries/mq-negative-range-001.html [ Failure ]\ncrbug.com/442449 external/wpt/css/mediaqueries/mq-range-001.html [ Failure ]\n\ncrbug.com/1007134 external/wpt/intersection-observer/v2/delay-test.html [ Failure Pass ]\ncrbug.com/1004547 external/wpt/intersection-observer/cross-origin-iframe.sub.html [ Failure Pass ]\ncrbug.com/1007229 external/wpt/intersection-observer/same-origin-grand-child-iframe.sub.html [ Failure Pass ]\n\ncrbug.com/936084 external/wpt/css/css-sizing/max-content-input-001.html [ Failure ]\n\ncrbug.com/849459 fragmentation/repeating-thead-under-repeating-thead.html [ Failure ]\n\n# These fail when device_scale_factor is changed, but only for anti-aliasing:\ncrbug.com/968791 [ Mac ] virtual/scalefactor200/css3/filters/effect-blur-hw.html [ Failure Pass ]\ncrbug.com/968791 virtual/scalefactor200/css3/filters/filterRegions.html [ Failure ]\n\n# These appear to be actually incorrect at device_scale_factor 2.0:\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-001.html [ Failure ]\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-002.html [ Failure ]\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-003.html [ Failure ]\ncrbug.com/968791 virtual/scalefactor200/external/wpt/css/filter-effects/filters-test-brightness-003.html [ Failure ]\n\ncrbug.com/916825 external/wpt/css/filter-effects/filter-subregion-01.html [ Failure ]\n\n# Could be addressed with fuzzy diff.\ncrbug.com/910537 external/wpt/svg/painting/marker-006.svg [ Failure ]\ncrbug.com/910537 external/wpt/svg/painting/marker-005.svg [ Failure ]\n\n# We don't yet implement context-fill and context-stroke\ncrbug.com/367737 external/wpt/svg/painting/reftests/paint-context-001.svg [ Failure ]\ncrbug.com/367737 external/wpt/svg/painting/reftests/paint-context-002.svg [ Failure ]\n\n# Unprefixed 'mask' ('mask-image', 'mask-border') support not yet implemented.\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-clip-exclude.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-local-mask.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-image.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-remote-mask.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-image-hash.html [ Failure ]\n\n# CSS cascade layers\ncrbug.com/1095765 external/wpt/css/css-cascade/layer-stylesheet-sharing.html [ Failure ]\n\n# Fails, at a minimum, due to lack of support for CSS mask property in html elements\ncrbug.com/432153 external/wpt/svg/painting/reftests/display-none-mask.html [ Skip ]\n\n# WPT SVG Tests failing. Have not been investigated in all cases.\ncrbug.com/1184034 external/wpt/svg/linking/reftests/href-filter-element.html [ Failure ]\ncrbug.com/366559 external/wpt/svg/shapes/reftests/pathlength-003.svg [ Failure ]\ncrbug.com/366559 external/wpt/svg/text/reftests/textpath-side-001.svg [ Failure ]\ncrbug.com/366559 external/wpt/svg/text/reftests/textpath-shape-001.svg [ Failure ]\ncrbug.com/803360 external/wpt/svg/path/closepath/segment-completing.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-001.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-201.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-202.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-102.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-002.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-203.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-003.svg [ Failure ]\ncrbug.com/670177 external/wpt/svg/rendering/order/z-index.svg [ Failure ]\ncrbug.com/863355 [ Mac ] external/wpt/svg/shapes/reftests/pathlength-002.svg [ Failure ]\ncrbug.com/1052202 external/wpt/svg/linking/scripted/href-mpath-element.html [ Timeout ]\ncrbug.com/1052202 external/wpt/svg/linking/scripted/href-animate-element.html [ Timeout ]\ncrbug.com/1222395 external/wpt/svg/path/property/mpath.svg [ Failure ]\ncrbug.com/785246 external/wpt/svg/struct/reftests/use-inheritance-001.svg [ Failure ]\ncrbug.com/785246 external/wpt/svg/linking/reftests/use-descendant-combinator-003.html [ Failure ]\ncrbug.com/674797 external/wpt/svg/painting/reftests/marker-path-022.svg [ Failure ]\ncrbug.com/674797 external/wpt/svg/painting/reftests/marker-path-023.svg [ Failure ]\n\ncrbug.com/699040 external/wpt/svg/text/reftests/text-xml-space-001.svg [ Failure ]\n\n# WPT backgrounds and borders tests. Note that there are many more in NeverFixTests\n# that should be investigated (see crbug.com/780700)\ncrbug.com/1242416 [ Linux ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/1242416 [ Mac10.14 ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/1242416 [ Debug Mac10.15 ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/492187 external/wpt/css/CSS2/backgrounds/background-intrinsic-004.xht [ Failure ]\ncrbug.com/492187 external/wpt/css/CSS2/backgrounds/background-intrinsic-006.xht [ Failure ]\ncrbug.com/767352 external/wpt/css/css-backgrounds/border-image-width-008.html [ Failure ]\ncrbug.com/1268426 external/wpt/css/css-backgrounds/border-image-width-should-extend-to-padding.html [ Failure ]\ncrbug.com/1268426 virtual/threaded/external/wpt/css/css-backgrounds/border-image-width-should-extend-to-padding.html [ Failure ]\n\n\n# ==== Regressions introduced by BlinkGenPropertyTrees =====\n# Reflection / mask ordering issue\ncrbug.com/767318 compositing/reflections/nested-reflection-mask-change.html [ Failure ]\n# Incorrect scrollbar invalidation.\ncrbug.com/887000 virtual/prefer_compositing_to_lcd_text/scrollbars/hidden-scrollbars-invisible.html [ Failure Timeout ]\ncrbug.com/887000 [ Mac10.14 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac10.15 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac11 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac11-arm64 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\n\ncrbug.com/882975 virtual/threaded/fast/events/pinch/gesture-pinch-zoom-prevent-in-handler.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/fast/events/pinch/scroll-visual-viewport-send-boundary-events.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchpad-zoom-in-slow.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchpad.html [ Failure Pass ]\n\ncrbug.com/898394 virtual/android/url-bar/bottom-and-top-fixed-sticks-to-top.html [ Failure Timeout ]\n\ncrbug.com/1024151 http/tests/devtools/tracing/timeline-style/timeline-style-recalc-all-invalidator-types.js [ Failure Pass ]\n\n# Subpixel rounding differences that are incorrect.\ncrbug.com/997202 compositing/overflow/scaled-overflow.html [ Failure ]\n# Flaky subpixel AA difference (not necessarily incorrect, but flaky)\ncrbug.com/997202 virtual/threaded-no-composited-antialiasing/animations/skew-notsequential-compositor.html [ Failure Pass ]\n# Only one pixel difference (187,187,187) vs (188,188,188) occasionally.\ncrbug.com/1207960 [ Linux ] compositing/perspective-interest-rect.html [ Failure Pass ]\n\ncrbug.com/954591 external/wpt/css/css-transforms/composited-under-rotateY-180deg.html [ Failure ]\ncrbug.com/954591 external/wpt/css/css-transforms/composited-under-rotateY-180deg-clip.html [ Failure ]\n\ncrbug.com/1261905 external/wpt/css/css-transforms/backface-visibility-hidden-child-will-change-transform.html [ Failure ]\ncrbug.com/1261905 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-child-translate.html [ Failure ]\n\n# CompositeAfterPaint remaining failures\n# Outline paints incorrectly with columns. Needs LayoutNGBlockFragmentation.\ncrbug.com/1047358 paint/pagination/composited-paginated-outlined-box.html [ Failure ]\ncrbug.com/1266689 compositing/gestures/gesture-tapHighlight-composited-img.html [ Failure Pass ]\n# Need to force the video to be composited in this case, or change pre-CAP\n# to match CAP behavior.\ncrbug.com/1108972 fullscreen/compositor-touch-hit-rects-fullscreen-video-controls.html [ Failure ]\n# Cross-origin iframe layerization is buggy with empty iframes.\ncrbug.com/1123189 virtual/threaded-composited-iframes/external/wpt/is-input-pending/security/cross-origin-subframe-masked-pointer-events-mixed-2.sub.html [ Failure ]\ncrbug.com/1123189 virtual/threaded-composited-iframes/external/wpt/is-input-pending/security/cross-origin-subframe-complex-clip.sub.html [ Failure ]\ncrbug.com/1266900 [ Mac ] fast/events/touch/gesture/right-click-gestures-set-cursor-at-correct-position.html [ Crash Pass ]\ncrbug.com/1267924 [ Mac ] external/wpt/css/css-contain/contain-layout-baseline-005.html [ Failure ]\ncrbug.com/1267924 [ Mac ] external/wpt/css/css-contain/contain-layout-suppress-baseline-001.html [ Failure ]\n# Needs rebaseline on Fuchsia.\ncrbug.com/1267498 [ Fuchsia ] paint/invalidation/svg/animated-svg-as-image-transformed-offscreen.html [ Failure ]\ncrbug.com/1267498 [ Fuchsia ] compositing/layer-creation/fixed-position-out-of-view.html [ Failure ]\n\n# WebGPU tests are only run on GPU bots, so they are skipped by default and run\n# separately from other Web Tests.\nexternal/wpt/webgpu/* [ Skip ]\nwpt_internal/webgpu/* [ Skip ]\n\ncrbug.com/1018273 [ Mac ] compositing/gestures/gesture-tapHighlight-2-iframe-scrolled-inner.html [ Failure ]\n\n# Requires support of the image-resolution CSS property\ncrbug.com/1086473 external/wpt/css/css-images/image-resolution/* [ Skip ]\n\n# Fail due to lack of fuzzy matching on Linux, Win and Mac platforms for WPT. The pixels in the pre-rotated reference\n# images do not exactly match the exif rotated images, probably due to jpeg decoding/encoding issues. Maybe\n# adjusting the image size to a multiple of 8 would fix this (so all jpeg blocks are solid color).\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/svg-image-orientation-aspect-ratio.html [ Failure ]\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/image-orientation-background-properties.html [ Failure ]\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/image-orientation-background-properties-border-radius.html [ Failure ]\ncrbug.com/997202 external/wpt/density-size-correction/density-corrected-image-svg-aspect-ratio.html [ Failure ]\n\ncrbug.com/1159433 external/wpt/css/css-images/image-orientation/image-orientation-exif-png.html [ Failure ]\n\n# Ref results are wrong on the background and list case, not sure on border result\ncrbug.com/1076121 external/wpt/css/css-images/image-orientation/image-orientation-border-image.html [ Failure ]\n\n# object-fit is not applied for <object>/<embed>.\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-dyn-aspect-ratio-001.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-dyn-aspect-ratio-002.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-006o.html [ Failure ]\n\n# Minor rendering difference to the ref image because of filtering or positioning.\n# (Possibly because of the use of 'image-rendering: crisp-edges' in some cases.)\ncrbug.com/1174873 external/wpt/css/css-images/object-fit-cover-png-001c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-fit-cover-png-002c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002p.html [ Failure ]\n\n# The following fails because we don't use the natural aspect ratio when applying\n# object-fit, and the images referenced don't have a natural size.\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-003i.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-003p.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-004i.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-004p.html [ Failure ]\n\ncrbug.com/1042783 external/wpt/css/css-backgrounds/background-size/background-size-near-zero-png.html [ Failure ]\ncrbug.com/1042783 external/wpt/css/css-backgrounds/background-size/background-size-near-zero-svg.html [ Failure ]\ncrbug.com/935057 external/wpt/css/css-backgrounds/background-size-043.html [ Failure ]\ncrbug.com/935057 external/wpt/css/css-backgrounds/background-size-044.html [ Failure ]\n\n# Not obviously incorrect (minor pixel differences, likely due to filtering).\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-space-10.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-round-1.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-round-2.html [ Failure ]\n\n# Passes with the WPT runner but not the internal one. (???)\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1a.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1b.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1c.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-3.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-4.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-5.html [ Failure ]\n\n# Off-by-one in some components.\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-6.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-7.html [ Failure ]\n\ncrbug.com/667006 external/wpt/css/css-backgrounds/background-attachment-fixed-inside-transform-1.html [ Failure ]\n\n# Bug accidentally masked by using square mask geometry.\ncrbug.com/1155161 svg/masking/mask-of-root.html [ Failure ]\n\n# Failures due to pointerMove building synthetic events without button information (main thread only).\ncrbug.com/1056778 fast/scrolling/scrollbars/scrollbar-thumb-snapping.html [ Failure ]\n\n# Most of these fail due to subpixel differences, but a couple are real failures.\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-animation.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-canvas-parent.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-canvas-sibling.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-with-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-iframe-sibling.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-border-image.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/compositing_simple_div.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-simple.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-stacking-context-001.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-paragraph-background-image.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-intermediate-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-paragraph.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-both-parent-and-blended-with-3D-transform.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-svg.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-filter.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-with-3D-transform.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-script.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-iframe-parent.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-element-interposed.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-with-transform-and-preserve-3D.html [ Failure ]\ncrbug.com/1044742 [ Mac ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video.html [ Failure ]\ncrbug.com/1044742 [ Win ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-with-text.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-mask.html [ Failure ]\n\n# Minor pixel differences\ncrbug.com/1056492 external/wpt/svg/painting/reftests/marker-path-001.svg [ Failure ]\n\n# Slightly flaky timeouts (about 1 in 30)\ncrbug.com/1050993 [ Linux ] virtual/gpu-rasterization/images/drag-image-descendant-painting-sibling.html [ Crash Pass Timeout ]\n\n# Flaky test.\ncrbug.com/1054894 [ Mac ] http/tests/images/image-decode-in-frame.html [ Failure Pass ]\n\ncrbug.com/819617 [ Linux ] virtual/text-antialias/descent-clip-in-scaled-page.html [ Failure ]\n\n# ====== Paint team owned tests to here ======\n\ncrbug.com/1142958 external/wpt/layout-instability/absolute-child-shift-with-parent-will-change.html [ Failure ]\n\ncrbug.com/922249 virtual/android/fullscreen/compositor-touch-hit-rects-fullscreen-video-controls.html [ Failure Pass ]\n\n# ====== Layout team owned tests from here ======\n\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule3-outside-left-002.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule3-outside-right-002.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule7-outside-left-001.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule7-outside-right-001.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-wrap-bfc-006.xht [ Failure ]\n\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floating-replaced-height-008.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-108.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-109.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-110.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-126.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-127.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-128.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-129.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-130.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-131.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-137.xht [ Skip ]\n\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-001.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-002.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-003.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-005.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-006.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-paged-001.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-paged-002.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-003.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-005.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-020.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-021.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-022.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-034.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-035.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-036.xht [ Skip ]\n\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/block-in-inline-insert-001f.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/block-in-inline-insert-002f.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-002.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-003.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-004.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-005.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-003.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-004.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-005.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-006.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/max-width-applies-to-005.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/max-width-applies-to-006.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/replaced-intrinsic-001.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/replaced-intrinsic-002.xht [ Failure ]\n\ncrbug.com/716930 external/wpt/css/CSS2/normal-flow/block-in-inline-float-in-layer-001.html [ Failure ]\n\n#### external/wpt/css/css-sizing\ncrbug.com/1261306 external/wpt/css/css-sizing/aspect-ratio/flex-aspect-ratio-004.html [ Failure ]\ncrbug.com/970201 external/wpt/css/css-sizing/slice-intrinsic-size.html [ Failure ]\ncrbug.com/970201 external/wpt/css/css-sizing/clone-intrinsic-size.html [ Failure ]\n\ncrbug.com/1251634 external/wpt/css/css-text-decor/text-underline-offset-zero-position.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-subelements-002.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-subelements-003.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-color.html [ Failure ]\n\n#### Unprefix and update the implementation for text-emphasis\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-color-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-002.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-007.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-008.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-010.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-012.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-016.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-021.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-filled-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-open-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-shape-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-string-001.xht [ Failure ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-073-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-072-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-071-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-020-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-076-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-075-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-021-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-022-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-074-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-019-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-048-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-046a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-082-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-048a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-085-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-044-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-097a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-001-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-090-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-092-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-095-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-095a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-040a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-096a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-002-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-045-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-091-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-092a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-004-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-096-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-040-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-003-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-091a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-097-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-041-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-049-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-090a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-090a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-046a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-091-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-048a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-092a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-096-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-048-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-003-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-091a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-002-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-090-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-092-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-095a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-049-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-041-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-040a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-097-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-001-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-045-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-082-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-096a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-044-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-004-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-085-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-097a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-040-manual.html [ Skip ]\n\n# `text-decoration-skip-ink: all` not implemented yet.\ncrbug.com/1054656 external/wpt/css/css-text-decor/text-decoration-skip-ink-005.html [ Skip ]\n\ncrbug.com/722825 media/controls/video-enter-exit-fullscreen-while-hovering-shows-controls.html [ Pass Skip Timeout ]\n\n#### crbug.com/783229 overflow\ncrbug.com/724701 overflow/overflow-basic-004.html [ Failure ]\n\n# Temporary failure as trying to ship inline-end padding for overflow.\ncrbug.com/1245722 external/wpt/css/cssom-view/scrollWidthHeight.xht [ Failure ]\n\ncrbug.com/846753 [ Mac ] http/tests/media/reload-after-dialog.html [ Failure Pass Timeout ]\n\n### external/wpt/css/css-tables/\ncrbug.com/708345 external/wpt/css/css-tables/height-distribution/extra-height-given-to-all-row-groups-004.html [ Failure ]\ncrbug.com/694374 external/wpt/css/css-tables/anonymous-table-ws-001.html [ Failure ]\ncrbug.com/174167 external/wpt/css/css-tables/visibility-collapse-colspan-003.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-max-size-001.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-min-size-001.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-size-001.html [ Failure ]\ncrbug.com/910725 external/wpt/css/css-tables/tentative/paint/overflow-hidden-table.html [ Failure ]\n\n# [css-contain]\n\ncrbug.com/880802 external/wpt/css/css-contain/contain-layout-017.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-contain/contain-layout-breaks-002.html [ Failure ]\ncrbug.com/847274 external/wpt/css/css-contain/contain-paint-005.html [ Failure ]\ncrbug.com/847274 external/wpt/css/css-contain/contain-paint-006.html [ Failure ]\ncrbug.com/880802 external/wpt/css/css-contain/contain-paint-021.html [ Failure ]\ncrbug.com/882367 external/wpt/css/css-contain/contain-paint-clip-015.html [ Failure ]\ncrbug.com/882367 external/wpt/css/css-contain/contain-paint-clip-016.html [ Failure ]\ncrbug.com/1154574 external/wpt/css/css-contain/contain-size-monolithic-002.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-001.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-002.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-003.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-004.html [ Failure ]\n\n# [css-align]\n\ncrbug.com/722287 crbug.com/886585 external/wpt/css/css-flexbox/abspos/flex-abspos-staticpos-align-self-safe-001.html [ Failure ]\ncrbug.com/599828 external/wpt/css/css-flexbox/abspos/flex-abspos-staticpos-fallback-align-content-001.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-002.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-003.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-004.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-002.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-003.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-004.html [ Failure ]\n\n# [css-ui]\n# The `input-security` property not implemented yet.\ncrbug.com/1253732 external/wpt/css/css-ui/input-security-none-sensitive-text-input.html [ Failure ]\n# Layout team disagrees with the spec for this particular test.\ncrbug.com/591099 external/wpt/css/css-ui/text-overflow-015.html [ Failure ]\n\n# [css-flexbox]\n\ncrbug.com/807497 external/wpt/css/css-flexbox/anonymous-flex-item-005.html [ Failure ]\ncrbug.com/1155036 external/wpt/css/css-flexbox/contain-size-layout-abspos-flex-container-crash.html [ Crash Pass ]\ncrbug.com/1251689 external/wpt/css/css-flexbox/table-as-item-specified-width-vertical.html [ Failure ]\n\n# Needs \"new\" flex container intrinsic size algorithm.\ncrbug.com/240765 external/wpt/css/css-flexbox/flex-container-max-content-001.html [ Failure ]\ncrbug.com/240765 external/wpt/css/css-flexbox/flex-container-min-content-001.html [ Failure ]\n\n# These tests are in conflict with overflow-area-*, update them if our change is web compatible.\ncrbug.com/1069614 external/wpt/css/css-flexbox/scrollbars-auto.html [ Failure ]\ncrbug.com/1069614 external/wpt/css/css-flexbox/scrollbars.html [ Failure ]\ncrbug.com/1069614 css3/flexbox/overflow-and-padding.html [ Failure ]\n\n# These require css-align-3 positional keywords that Blink doesn't yet support for flexbox.\ncrbug.com/1011718 external/wpt/css/css-flexbox/flexbox-safe-overflow-position-001.html [ Failure ]\n\n# We don't support requesting flex line breaks and it is not clear that we should.\n# See https://lists.w3.org/Archives/Public/www-style/2015May/0065.html\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-horiz-001a.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-horiz-001b.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-vert-001a.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-vert-001b.html [ Failure ]\n\n# We don't currently support visibility: collapse in flexbox\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-baseline-001.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-001.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-002.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-003.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox_visibility-collapse-line-wrapping.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox_visibility-collapse.html [ Failure ]\n\ncrbug.com/606208 external/wpt/css/css-flexbox/order/order-abs-children-painting-order.html [ Failure ]\n# We paint in an incorrect order when layers are present. Blocked on composite-after-paint.\ncrbug.com/370604 external/wpt/css/css-flexbox/flexbox-paint-ordering-002.xhtml [ Failure ]\n\n# We haven't implemented last baseline alignment.\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-001a.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-001b.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-006.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-007.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-008.xhtml [ Failure ]\n\n# Bad test expectations, but we aren't sure if web compatible yet.\ncrbug.com/1114280 external/wpt/css/css-flexbox/flexbox-min-width-auto-005.html [ Failure ]\ncrbug.com/1114280 external/wpt/css/css-flexbox/flexbox-min-width-auto-006.html [ Failure ]\n\n# [css-lists]\ncrbug.com/1123457 external/wpt/css/css-lists/counter-list-item-2.html [ Failure ]\ncrbug.com/1066577 external/wpt/css/css-lists/li-value-reversed-005.html [ Failure ]\ncrbug.com/1066577 external/wpt/css/css-lists/li-value-reversed-004.html [ Failure ]\n\n# [css-counter-styles-3]\ncrbug.com/1176323 external/wpt/css/css-counter-styles/counter-style-prefix-suffix-syntax.html [ Failure ]\ncrbug.com/1176323 external/wpt/css/css-counter-styles/counter-style-symbols-syntax.html [ Failure ]\ncrbug.com/1218280 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/descriptor-pad.html [ Failure ]\ncrbug.com/1168277 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/disclosure-styles.html [ Failure ]\ncrbug.com/1176315 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/symbols-function.html [ Failure ]\n\n# [css-overflow]\n# Incorrect WPT tests.\ncrbug.com/993813 external/wpt/css/css-overflow/webkit-line-clamp-008.html [ Failure ]\ncrbug.com/993813 [ Mac ] external/wpt/css/css-overflow/webkit-line-clamp-025.html [ Failure ]\ncrbug.com/993813 external/wpt/css/css-overflow/webkit-line-clamp-029.html [ Failure ]\n\n# Lack of support for font-language-override\ncrbug.com/481430 external/wpt/css/css-fonts/font-language-override-01.html [ Failure ]\ncrbug.com/481430 external/wpt/css/css-fonts/font-language-override-02.html [ Failure ]\n\n# Support font-palette\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-3.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-4.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-5.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-6.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-7.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-8.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-9.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-13.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-16.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-17.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-18.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-19.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-22.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-add.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-modify.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-remove.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-add-2.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-add.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-delete.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-delete-2.html [ Timeout ]\n\n# Non standard -webkit-<generic font family name> values are web exposed\ncrbug.com/1065468 [ Mac10.15 ] external/wpt/css/css-fonts/generic-family-keywords-002.html [ Failure Timeout ]\n\n# Comparing variable font rendering to static font rendering fails on systems that use FreeType for variable fonts\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\n# Windows 10 bots are not on high enough a Windows version to render variable fonts in DirectWrite\ncrbug.com/1068947 [ Win10.20h2 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\n# Windows 10 bot upgrade now causes these failures on Windows-10-18363\ncrbug.com/1140324 [ Win10.20h2 ] external/wpt/css/css-text-decor/text-underline-offset-variable.html [ Failure ]\ncrbug.com/1143005 [ Win10.20h2 ] media/track/track-cue-rendering-vertical.html [ Failure ]\n\n# Tentative mansonry tests\ncrbug.com/1076027 external/wpt/css/css-grid/masonry/* [ Skip ]\n\n# external/wpt/css/css-fonts/... tests triaged away from the default WPT bug ID\ncrbug.com/1211460 external/wpt/css/css-fonts/alternates-order.html [ Failure ]\ncrbug.com/1204775 [ Linux ] external/wpt/css/css-fonts/animations/font-stretch-interpolation.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/font-family-name-025.html [ Failure ]\ncrbug.com/443467 external/wpt/css/css-fonts/font-feature-settings-descriptor-01.html [ Failure ]\ncrbug.com/819816 external/wpt/css/css-fonts/font-kerning-03.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-009.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-010.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-011.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-05.xht [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-06.xht [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-02.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-03.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-04.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-05.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-06.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-07.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-08.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-09.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-10.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-11.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-12.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-13.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-14.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-15.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-16.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-17.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-18.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-descriptor-01.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/font-variant-ligatures-11.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position-02.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position-03.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position.html [ Failure ]\ncrbug.com/1240186 [ Mac10.12 ] external/wpt/css/css-fonts/matching/range-descriptor-reversed.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/standard-font-family.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/system-ui-ar.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/system-ui-ur.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ja-vs-zh.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ja.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ur-vs-ar.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-zh.html [ Failure ]\ncrbug.com/1071114 [ Win7 ] external/wpt/css/css-fonts/variations/font-opentype-collections.html [ Timeout ]\n\n# ====== Layout team owned tests to here ======\n\n# ====== LayoutNG-only failures from here ======\n# LayoutNG - is a new layout system for Blink.\n\ncrbug.com/591099 css3/filters/composited-layer-child-bounds-after-composited-to-sw-shadow-change.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/boundary-shaping/boundary-shaping-009.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-009.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-010.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-011.html [ Failure ]\ncrbug.com/591099 fast/backgrounds/quirks-mode-line-box-backgrounds.html [ Failure ]\ncrbug.com/591099 fast/borders/inline-mask-overlay-image-outset-vertical-rl.html [ Failure ]\ncrbug.com/835484 fast/css/outline-narrowLine.html [ Failure ]\ncrbug.com/591099 fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-under.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects-continuation.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects-list-translate.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects.html [ Failure ]\ncrbug.com/889721 fast/inline/outline-continuations.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/font-format-support-color-cff2-vertical.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/whitespace/018.html [ Failure ]\ncrbug.com/591099 fast/writing-mode/auto-sizing-orthogonal-flows.html [ Failure ]\ncrbug.com/591099 fast/writing-mode/percentage-height-orthogonal-writing-modes.html [ Failure ]\ncrbug.com/835484 paint/invalidation/outline/inline-focus.html [ Failure ]\ncrbug.com/591099 paint/invalidation/scroll/fixed-under-composited-fixed-scrolled.html [ Failure ]\n\n# CSS Text failures\ncrbug.com/316409 external/wpt/css/css-text/text-justify/text-justify-and-trailing-spaces-003.html [ Failure ]\ncrbug.com/750990 external/wpt/css/css-text/text-transform/text-transform-upperlower-105.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-026.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-028.html [ Failure ]\ncrbug.com/602434 external/wpt/css/css-text/text-transform/text-transform-tailoring-001.html [ Failure ]\ncrbug.com/750990 external/wpt/css/css-text/text-transform/text-transform-upperlower-006.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-multiple-001.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-033.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-bidi-002.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-nesting-002.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-nesting-001.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-bidi-001.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-end-of-line-001.html [ Failure ]\ncrbug.com/1098801 external/wpt/css/css-text/overflow-wrap/overflow-wrap-normal-keep-all-001.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-012.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-013.html [ Failure ]\ncrbug.com/1219041 external/wpt/css/CSS2/text/white-space-nowrap-attribute-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-collapse-preserve-breaks-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-collapse-discard-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-trim-trim-inner-001.xht [ Failure ]\n\n# LayoutNG ref-tests that need to be updated (cannot be rebaselined).\ncrbug.com/591099 [ Linux ] fast/multicol/newmulticol/hide-box-vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/newmulticol/hide-box-vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/span/vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/span/vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/column-break-with-balancing.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/column-break-with-balancing.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/column-count-with-rules.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/column-rules.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/column-rules.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-avoidance.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-avoidance.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-big-line.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-break.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-break.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-content-break.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-edge.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-paginate.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-paginate.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/nested-columns.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/nested-columns.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/unsplittable-inline-block.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/unsplittable-inline-block.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/ellipsis-with-self-painting-layer.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/file-upload-as-multicol.html [ Failure ]\ncrbug.com/1098801 virtual/text-antialias/whitespace/whitespace-in-pre.html [ Failure ]\n\n# LayoutNG failures that needs to be triaged\ncrbug.com/591099 virtual/text-antialias/selection/selection-rect-line-height-too-small.html [ Failure ]\ncrbug.com/591099 fast/css-intrinsic-dimensions/width-avoid-floats.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/selectors/shadow-host-div-with-span.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/selectors/shadow-host-div-with-span.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/selectors/shadow-host-div-with-text.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/selectors/shadow-host-div-with-text.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/selection/inline-block-in-selection-root.html [ Failure ]\ncrbug.com/591099 editing/selection/paint-hyphen.html [ Failure Pass ]\ncrbug.com/591099 external/wpt/dom/ranges/Range-compareBoundaryPoints.html [ Failure Pass Skip Timeout ]\ncrbug.com/591099 [ Mac ] virtual/text-antialias/international/shape-across-elements-simple.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/international/shape-across-elements-simple.html [ Failure ]\ncrbug.com/591099 [ Mac ] virtual/text-antialias/word-space-monospace.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/word-space-monospace.html [ Failure ]\ncrbug.com/591099 [ Mac ] css2.1/t1202-counter-09-b.html [ Failure ]\ncrbug.com/591099 [ Mac ] css2.1/t1202-counters-09-b.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/CSS2/text/white-space-bidirectionality-001.xht [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-multicol/multicol-span-all-list-item-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-multicol/multicol-span-all-list-item-002.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-002.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-003.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00C.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/word-break/word-break-break-all-004.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-transforms/transform-inline-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-ui/text-overflow-027.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-ui/text-overflow-028.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-embed-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-isolate-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-normal-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-override-006.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-plaintext-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/content-counter-010.htm [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/content/content-quotes-07.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/css-properties-position-relative-as-parent-fixed.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css3-text/css3-text-justify/text-justify-crash.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/forms/text/text-lineheight-centering.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/column-count-with-rules.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-big-line.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-content-break.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-edge.html [ Failure ]\ncrbug.com/591099 [ Mac ] paint/invalidation/box/hover-pseudo-borders.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-auto.html [ Failure ]\ncrbug.com/591099 [ Mac ] paint/invalidation/flexbox/remove-inline-block-descendant-of-flex.html [ Failure ]\n\n# A few other lines for this test are commented out above to avoid conflicting expectations.\n# If they are not also fixed, reinstate them when removing these lines.\ncrbug.com/982211 fast/events/before-unload-return-value-from-listener.html [ Crash Pass Timeout ]\n\n# WPT css-writing-mode tests failing for various reasons beyond simple pixel diffs\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-005.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-003.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-014.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-013.html [ Failure ]\ncrbug.com/717862 [ Mac ] external/wpt/css/css-writing-modes/mongolian-orientation-002.html [ Failure ]\ncrbug.com/717862 external/wpt/css/css-writing-modes/mongolian-orientation-001.html [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vlr-in-htb-008.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vlr-in-htb-020.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vrl-in-htb-008.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vrl-in-htb-020.xht [ Failure ]\n\n### With LayoutNGFragmentItem enabled\ncrbug.com/982194 [ Win7 ] external/wpt/css/css-text/white-space/seg-break-transformation-018.tentative.html [ Failure ]\ncrbug.com/982194 [ Win10.20h2 ] fast/writing-mode/border-image-vertical-lr.html [ Failure Pass ]\n\n### Tests passing with LayoutNGBlockFragmentation enabled:\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/abspos-in-opacity-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/avoid-border-break.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/box-shadow.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/forced-break-at-fragmentainer-start-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow-rl.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-029.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-030.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-032.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-034.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-035.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-036.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-038.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-039.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-040.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-041.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-042.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-043.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-044.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-045.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-046.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-047.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-052.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-054.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-057.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-058.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-059.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-060.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-061.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-062.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-063.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-065.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-066.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-071.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-073.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflowed-block-with-no-room-after-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflowed-block-with-no-room-after-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/relpos-inline-hit-testing.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/relpos-inline.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/ruby-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/trailing-child-margin-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/trailing-child-margin-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-contain/contain-size-monolithic-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-ltr-rtl-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-rtl-ltr-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-rtl-rtl-in-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-ltr-rtl-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-rtl-ltr-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-rtl-rtl-in-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-ltr-rtl-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-rtl-ltr-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-rtl-rtl-in-multicols.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-ltr-rtl-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-rtl-ltr-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-rtl-rtl-in-multicols.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/abspos-containing-block-outside-spanner.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/balance-break-avoidance-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/balance-orphans-widows-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/fixed-in-multicol-with-transform-container.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/hit-test-transformed-child.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-013.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-014.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-list-item-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-list-item-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-013.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-015.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-016.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-017.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-018.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-022.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-023.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-oof-inline-cb-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-oof-inline-cb-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-rule-nested-balancing-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-scroll-content.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-014.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-015.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-017.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-margin-bottom-001.xht [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-001.xht [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/nested-at-outer-boundary-as-fieldset.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/nested-with-too-tall-line.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/non-adjacent-spanners-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/orthogonal-writing-mode-spanner.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-011.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/file-upload-as-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/newmulticol/hide-box-vertical-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/span/vertical-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-break-with-balancing.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-count-with-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-avoidance.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-big-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-content-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-edge.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-paginate.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/nested-columns.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/unsplittable-inline-block.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/column-count-with-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-big-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-content-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-edge.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/nested-columns.html [ Pass ]\n\n### Tests failing with LayoutNGBlockFragmentation enabled:\ncrbug.com/1225630 virtual/layout_ng_block_frag/external/wpt/css/css-multicol/large-actual-column-count.html [ Skip ]\ncrbug.com/1066629 virtual/layout_ng_block_frag/fast/multicol/hit-test-translate-z.html [ Failure ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/infinite-height-causing-fractional-row-height-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/infinitely-tall-content-in-outer-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/insane-column-count-and-padding-nested-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/nested-very-tall-inside-short-crash.html [ Skip ]\ncrbug.com/1242348 virtual/layout_ng_block_frag/fast/multicol/tall-line-in-short-block.html [ Failure ]\n\n# Just skip this for Mac11-arm64. It's super-flaky. Not block fragmentation-related.\ncrbug.com/1262048 [ Mac11-arm64 ] virtual/layout_ng_block_frag/* [ Skip ]\n\n### Tests passing with LayoutNGFlexFragmentation enabled:\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-003.html [ Pass ]\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-004.html [ Pass ]\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-007.tentative.html [ Pass ]\n\n### Tests failing with LayoutNGFlexFragmentation enabled:\ncrbug.com/660611 virtual/layout_ng_flex_frag/fast/multicol/flexbox/doubly-nested-with-zero-width-flexbox-and-forced-break-crash.html [ Skip ]\ncrbug.com/660611 virtual/layout_ng_flex_frag/fast/multicol/flexbox/flexbox.html [ Failure ]\n\n### Tests passing with LayoutNGGridFragmentation enabled:\nvirtual/layout_ng_grid_frag/external/wpt/css/css-break/grid/grid-item-fragmentation-020.html [ Pass ]\n\n### With LayoutNGPrinting enabled:\n\ncrbug.com/1121942 virtual/layout_ng_printing/printing/fixed-positioned-child-repeats-even-when-html-and-body-are-zero-height.html [ Crash Pass ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/fixed-positioned-child-shouldnt-print.html [ Crash Pass ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/frameset.html [ Failure ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/webgl-oversized-printing.html [ Skip ]\n\n### Textarea NG\ncrbug.com/1140307 accessibility/inline-text-textarea.html [ Failure ]\n\n### TablesNG\n# crbug.com/958381\n\n# TODO fails because cell size with only input element is 18px, not 15. line-height: 0px fixes it.\ncrbug.com/1171616 external/wpt/css/css-tables/height-distribution/percentage-sizing-of-table-cell-children.html [ Failure ]\n\n# Composited background painting leaves gaps.\ncrbug.com/958381 fast/table/border-collapsing/composited-cell-collapsed-border.html [ Failure ]\ncrbug.com/958381 fast/table/border-collapsing/composited-row-collapsed-border.html [ Failure ]\n\n# Rowspanned cell overflows TD visible rect.\ncrbug.com/958381 external/wpt/css/css-tables/visibility-collapse-rowspan-005.html [ Failure ]\n\n# Mac failures - antialiasing of ref\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-087.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-088.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-089.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-090.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-091.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-092.xht [ Failure ]\ncrbug.com/958381 [ Mac ] virtual/text-antialias/hyphen-min-preferred-width.html [ Failure ]\ncrbug.com/958381 [ Win ] virtual/text-antialias/hyphen-min-preferred-width.html [ Failure ]\ncrbug.com/958381 [ Mac ] fragmentation/single-line-cells-paginated-with-text.html [ Failure ]\n\n# TablesNG ends\n\n# ====== LayoutNG-only failures until here ======\n\n# ====== MathMLCore-only tests from here ======\n\n# These tests fail because we don't support MathML ink metrics.\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-001.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-002.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-003.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-004.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-005.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-006.html [ Failure ]\n\n# This test fail because we don't properly center elements in MathML tables.\ncrbug.com/1125111 external/wpt/mathml/presentation-markup/tables/table-003.html [ Failure ]\n\n# These tests fail because some CSS properties affect MathML layout.\ncrbug.com/1227601 external/wpt/mathml/relations/css-styling/ignored-properties-001.html [ Failure Timeout ]\ncrbug.com/1227598 external/wpt/mathml/relations/css-styling/width-height-001.html [ Failure ]\n\n# This test has flaky timeout.\ncrbug.com/1093840 external/wpt/mathml/relations/html5-tree/math-global-event-handlers.tentative.html [ Pass Timeout ]\n\n# These tests fail because we don't parse math display values according to the spec.\ncrbug.com/1127222 external/wpt/mathml/presentation-markup/mrow/legacy-mrow-like-elements-001.html [ Failure ]\n\n# This test fails on windows. It should really be made more reliable and take\n# into account fallback parameters.\ncrbug.com/6606 [ Win ] external/wpt/mathml/presentation-markup/fractions/frac-1.html [ Failure ]\n\n# Tests failing only on certain platforms.\ncrbug.com/6606 [ Win ] external/wpt/mathml/presentation-markup/operators/mo-axis-height-1.html [ Failure ]\ncrbug.com/6606 [ Mac ] external/wpt/mathml/relations/text-and-math/use-typo-metrics-1.html [ Failure ]\n\n# These tests fail because we don't support the MathML href attribute, which is\n# not part of MathML Core Level 1.\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-1.html [ Failure ]\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-2.html [ Failure ]\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-3.html [ Failure ]\n\n# These tests fail because they require full support for new text-transform\n# values and mathvariant attribute. Currently, we only support the new\n# text-transform: auto, use the UA rule for the <mi> element and map\n# mathvariant=\"normal\" to \"text-transform: none\".\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-fraktur-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-sans-serif-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-script-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-double-struck-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-fraktur-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-initial-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-looped-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-monospace-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-bold-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-script-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-stretched-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-tailed-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-fraktur.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-sans-serif.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-script.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-case-sensitivity.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-double-struck.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-fraktur.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-initial.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-looped.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-monospace.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif-bold-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-script.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-stretched.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-tailed.html [ Failure ]\n\n# ====== Style team owned tests from here ======\n\ncrbug.com/753671 external/wpt/css/css-content/quotes-001.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.15 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac11 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac ] external/wpt/css/css-content/quotes-009.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-013.html [ Failure ]\ncrbug.com/753671 [ Mac ] external/wpt/css/css-content/quotes-014.html [ Failure ]\ncrbug.com/753671 [ Mac10.15 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/753671 [ Mac11 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-021.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-022.html [ Failure ]\n\ncrbug.com/995106 external/wpt/css/css-lists/inline-block-list.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-block-list-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list-with-table-child.html [ Failure ]\ncrbug.com/1012289 external/wpt/css/css-lists/list-style-type-string-005b.html [ Failure ]\n\n# css-pseudo\ncrbug.com/1163437 external/wpt/css/css-pseudo/grammar-spelling-errors-001.html [ Failure ]\ncrbug.com/1163437 external/wpt/css/css-pseudo/grammar-spelling-errors-002.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-001.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-002.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-003.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-004.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-pseudo/first-letter-exclude-inline-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-pseudo/first-letter-exclude-inline-child-marker.html [ Failure ]\ncrbug.com/1172333 external/wpt/css/css-pseudo/first-letter-digraph.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-001.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-004.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-001.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-004.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/target-text-004.html [ Failure ]\ncrbug.com/1179938 external/wpt/css/css-pseudo/target-text-006.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-001.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-002.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-003.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-004.html [ Failure ]\n\ncrbug.com/1205953 external/wpt/css/css-will-change/will-change-fixpos-cb-position-1.html [ Failure ]\ncrbug.com/1207788 external/wpt/css/css-will-change/will-change-stacking-context-mask-1.html [ Failure ]\n\n# color() function not implemented\ncrbug.com/1068610 external/wpt/css/css-color/predefined-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-011.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-007.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-012.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-016.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-006.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-009.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-010.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/lab-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/lch-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-005.html [ Failure ]\n\n# @supports\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-040.xht [ Failure ]\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-041.xht [ Failure ]\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-042.xht [ Failure ]\n\n# @container\n# The container-queries/ tests are only valid when the runtime flag\n# CSSContainerQueries is enabled.\n#\n# The css-contain/ tests are only valid when the runtime flag CSSContainSize1D\n# is enabled.\n#\n# Both these flags are enabled in virtual/container-queries/\ncrbug.com/1145970 wpt_internal/css/css-conditional/container-queries/* [ Skip ]\ncrbug.com/1146092 wpt_internal/css/css-contain/* [ Skip ]\ncrbug.com/1145970 virtual/container-queries/* [ Pass ]\ncrbug.com/1249468 virtual/container-queries/wpt_internal/css/css-conditional/container-queries/block-size-and-min-height.html [ Failure ]\ncrbug.com/829028 virtual/container-queries/wpt_internal/css/css-contain/multicol-block-size.html [ Failure ]\ncrbug.com/829028 virtual/container-queries/wpt_internal/css/css-contain/multicol-inline-size.html [ Failure ]\n\n# CSS Scrollbars\ncrbug.com/891944 external/wpt/css/css-scrollbars/textarea-scrollbar-width-none.html [ Failure ]\ncrbug.com/891944 external/wpt/css/css-scrollbars/transparent-on-root.html [ Failure ]\n# Incorrect native scrollbar repaint\ncrbug.com/891944 [ Mac ] external/wpt/css/css-scrollbars/scrollbar-width-paint-001.html [ Failure ]\n\n# css-variables\n\ncrbug.com/1220145 external/wpt/css/css-variables/variable-declaration-29.html [ Failure ]\ncrbug.com/1220145 external/wpt/css/css-variables/variable-supports-58.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-declaration-07.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-declaration-09.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-reference-06.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-reference-11.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-05.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-07.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-37.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-39.html [ Failure ]\ncrbug.com/1220149 external/wpt/css/css-variables/variable-supports-57.html [ Failure ]\n\n# css-nesting\ncrbug.com/1095675 external/wpt/css/selectors/nesting.html [ Failure ]\n\n# ====== Style team owned tests to here ======\n\n# Failing WPT html/semantics/* tests. Not all have been investigated.\ncrbug.com/1233659 external/wpt/html/semantics/embedded-content/the-embed-element/embed-represent-nothing-04.html [ Failure ]\ncrbug.com/1234202 external/wpt/html/semantics/embedded-content/the-video-element/video_initially_paused.html [ Failure ]\ncrbug.com/1234841 external/wpt/html/semantics/grouping-content/the-li-element/grouping-li-reftest-list-owner-menu.html [ Failure ]\ncrbug.com/1234841 external/wpt/html/semantics/grouping-content/the-li-element/grouping-li-reftest-list-owner-skip-no-boxes.html [ Failure ]\ncrbug.com/1167095 external/wpt/html/semantics/forms/form-submission-0/text-plain.window.html [ Pass Timeout ]\ncrbug.com/853146 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_allow_top_navigation-1.html [ Timeout ]\ncrbug.com/853146 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_allow_top_navigation-3.html [ Timeout ]\ncrbug.com/1132413 external/wpt/html/semantics/scripting-1/the-script-element/json-module/parse-error.html [ Timeout ]\ncrbug.com/1232504 external/wpt/html/semantics/embedded-content/media-elements/src_object_blob.html [ Timeout ]\ncrbug.com/1232504 [ Win ] external/wpt/html/semantics/embedded-content/media-elements/ready-states/autoplay-hidden.optional.html [ Timeout ]\ncrbug.com/1234199 [ Linux ] external/wpt/html/semantics/embedded-content/the-object-element/object-events.html [ Skip ]\ncrbug.com/1234199 [ Mac ] external/wpt/html/semantics/embedded-content/the-object-element/object-events.html [ Skip ]\ncrbug.com/1232504 [ Mac11 ] external/wpt/html/semantics/embedded-content/media-elements/interfaces/TextTrackCue/endTime.html [ Failure Timeout ]\ncrbug.com/1232504 [ Mac11 ] external/wpt/html/semantics/embedded-content/media-elements/preserves-pitch.html [ Timeout ]\n\n# XML nodes aren't match by .class selectors:\ncrbug.com/649444 external/wpt/css/selectors/xml-class-selector.xml [ Failure ]\n\n# Bug in <select multiple> tap behavior:\ncrbug.com/1045672 fast/forms/select/listbox-tap.html [ Failure ]\n\n### sheriff 2019-07-16\ncrbug.com/983799 [ Win ] http/tests/navigation/redirect-on-back-updates-history-item.html [ Pass Timeout ]\n\n### sheriff 2018-05-28\n\ncrbug.com/767269 [ Win ] inspector-protocol/layout-fonts/cjk-ideograph-fallback-by-lang.js [ Failure Pass ]\n\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile-blink-gc.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile-blink-gc.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile-partition-alloc.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile-partition-alloc.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-snapshot.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-snapshot.js [ Skip ]\n\n# For win10, see crbug.com/955109\ncrbug.com/538697 [ Win ] printing/webgl-oversized-printing.html [ Crash Failure ]\n\ncrbug.com/904592 css3/filters/backdrop-filter-svg.html [ Failure ]\ncrbug.com/904592 [ Linux ] virtual/scalefactor200/css3/filters/backdrop-filter-svg.html [ Pass ]\ncrbug.com/904592 [ Win ] virtual/scalefactor200/css3/filters/backdrop-filter-svg.html [ Pass ]\n\ncrbug.com/280342 http/tests/media/progress-events-generated-correctly.html [ Failure Pass ]\n\ncrbug.com/520736 [ Win7 ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\ncrbug.com/520736 [ Linux ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\ncrbug.com/909095 [ Mac ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\n\n# Hiding video::-webkit-media-controls breaks --force-overlay-fullscreen-video.\ncrbug.com/1093447 virtual/android/fullscreen/rendering/backdrop-video.html [ Failure ]\n\n# gpuBenchmarking.pinchBy is busted on desktops for touchscreen pinch\ncrbug.com/787615 [ Win ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Failure Pass ]\ncrbug.com/787615 [ Win ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Failure Pass ]\ncrbug.com/787615 [ Linux ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Failure Pass ]\n\n# gpuBenchmarking.pinchBy is not implemented on Mac for touchscreen pinch\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-out-slow.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow-desktop.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-desktop.html [ Skip ]\n\ncrbug.com/520188 [ Win ] http/tests/local/fileapi/file-last-modified-after-delete.html [ Failure Pass ]\ncrbug.com/520611 [ Debug ] fast/filesystem/workers/file-writer-events-shared-worker.html [ Failure Pass ]\ncrbug.com/520194 http/tests/xmlhttprequest/timeout/xmlhttprequest-timeout-worker-overridesexpires.html [ Failure Pass ]\n\ncrbug.com/892032 fast/events/wheel/wheel-latched-scroll-node-removed.html [ Failure Pass ]\n\ncrbug.com/1051136 fast/forms/select/listbox-overlay-scrollbar.html [ Failure ]\n\n# These performance-sensitive user-timing tests are flaky in debug on all platforms, and flaky on all configurations of windows.\n# See: crbug.com/567965, crbug.com/518992, and crbug.com/518993\n\ncrbug.com/432129 html/marquee/marquee-scroll.html [ Failure Pass ]\ncrbug.com/326139 crbug.com/390125 media/video-frame-accurate-seek.html [ Failure Pass ]\ncrbug.com/421283 html/marquee/marquee-scrollamount.html [ Failure Pass ]\n\n# TODO(oshima): Mac Android are currently not supported.\ncrbug.com/567837 [ Mac ] virtual/scalefactor200withzoom/fast/hidpi/static/* [ Skip ]\n\n# TODO(oshima): Move the event scaling code to eventSender and remove this.\ncrbug.com/567837 virtual/scalefactor200/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 virtual/scalefactor200/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 virtual/scalefactor200withzoom/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/mousewheel-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/mousewheel-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\n\n# TODO(ojan): These tests aren't flaky. See crbug.com/517144.\n# Release trybots run asserts, but the main waterfall ones don't. So, even\n# though this is a non-flaky assert failure, we need to mark it [ Pass Crash ].\ncrbug.com/389648 crbug.com/517123 crbug.com/410145 fast/text-autosizing/table-inflation-crash.html [ Crash Pass Timeout ]\n\ncrbug.com/876732 [ Win ] fast/dom/HTMLImageElement/image-srcset-w-onerror.html [ Failure Pass ]\n\n# Only virtual/threaded version of these tests pass (or running them with --enable-threaded-compositing).\ncrbug.com/936891 fast/scrolling/document-level-touchmove-event-listener-passive-by-default.html [ Failure ]\ncrbug.com/936891 virtual/threaded-prefer-compositing/fast/scrolling/document-level-touchmove-event-listener-passive-by-default.html [ Pass ]\n\ncrbug.com/498539 http/tests/devtools/tracing/timeline-misc/timeline-bound-function.js [ Failure Pass ]\n\ncrbug.com/498539 crbug.com/794869 crbug.com/798548 crbug.com/946716 http/tests/devtools/elements/styles-4/styles-update-from-js.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/889952 fast/selectors/selection-window-inactive.html [ Failure Pass ]\n\ncrbug.com/731731 inspector-protocol/layers/paint-profiler-load-empty.js [ Failure Pass ]\ncrbug.com/1107923 inspector-protocol/debugger/wasm-streaming-url.js [ Failure Pass Timeout ]\n\n# Script let/const redeclaration errors\ncrbug.com/1042162 http/tests/inspector-protocol/console/console-let-const-with-api.js [ Failure Pass ]\n\n# Will be re-enabled and rebaselined once we remove the '--enable-file-cookies' flag.\ncrbug.com/470482 fast/cookies/local-file-can-set-cookies.html [ Skip ]\n\n# Text::inDocument() returns false but should not.\ncrbug.com/264138 dom/legacy_dom_conformance/xhtml/level3/core/nodecomparedocumentposition38.xhtml [ Failure ]\n\ncrbug.com/411164 [ Win ] http/tests/security/powerfulFeatureRestrictions/serviceworker-on-insecure-origin.html [ Pass ]\n\ncrbug.com/686118 http/tests/security/setDomainRelaxationForbiddenForURLScheme.html [ Crash Pass ]\n\n# Flaky tests on Mac after enabling scroll animations in web_tests\ncrbug.com/944583 [ Mac ] fast/events/keyboard-scroll-by-page.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-xy-in-scrolling-div.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-xy-in-scrolling-page.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/space-scroll-textinput-canceled.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/scrolling/percentage-mousewheel-scroll-on-iframe.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/scrolling/percentage-mousewheel-scroll.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-x-in-scrolling-page.html [ Failure Pass Timeout ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-y-in-scrolling-page.html [ Failure Pass Timeout ]\n# Sheriff: 2020-05-18\ncrbug.com/1083820 [ Mac ] fast/scrolling/document-level-wheel-event-listener-passive-by-default.html [ Failure Pass ]\n\n# In external/wpt/html/, we prefer checking in failure\n# expectation files. The following tests with [ Failure ] don't have failure\n# expectation files because they contain local path names.\n# Use crbug.com/490511 for untriaged failures.\ncrbug.com/749492 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/009.html [ Skip ]\ncrbug.com/490511 external/wpt/html/browsers/offline/application-cache-api/api_update.https.html [ Failure Pass ]\ncrbug.com/108417 external/wpt/html/rendering/non-replaced-elements/tables/table-border-1.html [ Failure ]\ncrbug.com/490511 external/wpt/html/rendering/non-replaced-elements/the-hr-element-0/color.html [ Failure ]\ncrbug.com/490511 external/wpt/html/rendering/non-replaced-elements/the-hr-element-0/width.html [ Failure ]\ncrbug.com/692560 external/wpt/html/semantics/document-metadata/styling/LinkStyle.html [ Failure Pass ]\n\ncrbug.com/860211 [ Mac ] external/wpt/editing/run/delete.html [ Failure ]\n\ncrbug.com/821455 editing/pasteboard/drag-files-to-editable-element.html [ Failure ]\n\ncrbug.com/1170052 external/wpt/mediacapture-streams/MediaStreamTrack-MediaElement-disabled-audio-is-silence.https.html [ Pass Timeout ]\ncrbug.com/1174937 virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-clone.https.html [ Crash ]\ncrbug.com/1174937 external/wpt/mediacapture-streams/MediaStream-clone.https.html [ Crash ]\n\ncrbug.com/766135 fast/dom/Window/redirect-with-timer.html [ Pass Timeout ]\n\n# Ref tests that needs investigation.\ncrbug.com/404597 fast/forms/long-text-in-input.html [ Skip ]\ncrbug.com/552494 virtual/prefer_compositing_to_lcd_text/scrollbars/overflow-scrollbar-combinations.html [ Failure Pass ]\n\ncrbug.com/305376 external/wpt/css/css-overflow/webkit-line-clamp-018.html [ Failure ]\ncrbug.com/305376 external/wpt/css/css-overflow/webkit-line-clamp-024.html [ Failure ]\n\ncrbug.com/745905 external/wpt/css/css-ui/text-overflow-021.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-rtl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-lr-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-lr-rtl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-rl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-rl-rtl-001.html [ Failure ]\n\ncrbug.com/1067031 external/wpt/css/css-overflow/webkit-line-clamp-035.html [ Failure ]\n\ncrbug.com/424365 external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-024.html [ Failure ]\ncrbug.com/441840 [ Win ] external/wpt/css/css-shapes/shape-outside/values/shape-margin-001.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-circle-004.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-circle-005.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-ellipse-004.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-ellipse-005.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-inset-003.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-polygon-004.html [ Failure ]\ncrbug.com/441840 [ Win ] external/wpt/css/css-shapes/shape-outside/values/shape-outside-shape-arguments-000.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-008.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-006.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-005.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-016.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-013.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-011.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-014.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-012.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-015.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-010.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-009.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-043.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-048.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-023.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-027.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-022.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-008.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/polygon/shape-outside-polygon-024.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-011.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-046.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-052.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-051.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-010.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-026.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-012.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-049.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-047.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-009.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-053.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-050.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-006.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-037.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/polygon/shape-outside-polygon-025.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-007.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-005.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-007.html [ Failure ]\n\ncrbug.com/1024331 external/wpt/css/css-text/hyphens/hyphens-out-of-flow-001.html [ Failure ]\ncrbug.com/1024331 external/wpt/css/css-text/hyphens/hyphens-out-of-flow-002.html [ Failure ]\ncrbug.com/1140728 external/wpt/css/css-text/hyphens/hyphens-span-002.html [ Failure ]\ncrbug.com/1139693 virtual/text-antialias/hyphens/midword-break-priority.html [ Failure ]\n\ncrbug.com/1250257 external/wpt/css/css-text/tab-size/tab-size-block-ancestor.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-001.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-002.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-003.html [ Failure ]\ncrbug.com/970200 external/wpt/css/css-text/text-indent/text-indent-tab-positions-001.html [ Failure ]\ncrbug.com/1030452 external/wpt/css/css-text/text-transform/text-transform-upperlower-016.html [ Failure ]\n\ncrbug.com/1008029 [ Mac ] external/wpt/css/css-text/white-space/pre-wrap-018.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-019.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/textarea-pre-wrap-012.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/textarea-pre-wrap-013.html [ Failure ]\n\n# Handling of trailing other space separator\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-001.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-002.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-003.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-004.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-ideographic-space-001.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-ideographic-space-002.html [ Failure ]\n\ncrbug.com/1162836 external/wpt/css/css-text/white-space/full-width-leading-spaces-004.html [ Failure ]\n\n# Follow up the spec change for U+2010, U+2013\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-loose-hyphens-001.html [ Failure ]\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-normal-hyphens-002.html [ Failure ]\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-strict-hyphens-002.html [ Failure ]\n\n# Inseparable characters\ncrbug.com/1091631 external/wpt/css/css-text/line-break/line-break-normal-015a.xht [ Failure ]\ncrbug.com/1091631 external/wpt/css/css-text/line-break/line-break-strict-015a.xht [ Failure ]\n\n# Link event firing\ncrbug.com/922618 external/wpt/html/semantics/document-metadata/the-link-element/link-multiple-error-events.html [ Timeout ]\ncrbug.com/922618 external/wpt/html/semantics/document-metadata/the-link-element/link-multiple-load-events.html [ Timeout ]\n\n# crbug.com/1095379: These are flaky-slow, but are already present in SlowTests\ncrbug.com/73609 http/tests/media/video-play-stall.html [ Pass Skip Timeout ]\ncrbug.com/518987 http/tests/xmlhttprequest/navigation-abort-detaches-frame.html [ Pass Skip Timeout ]\ncrbug.com/538717 [ Win ] http/tests/permissions/chromium/test-request-worker.html [ Pass Skip Timeout ]\ncrbug.com/802029 [ Debug Mac10.13 ] fast/dom/shadow/focus-controller-recursion-crash.html [ Pass Skip Timeout ]\ncrbug.com/829740 fast/history/history-back-twice-with-subframes-assert.html [ Pass Skip Timeout ]\ncrbug.com/836783 fast/peerconnection/RTCRtpSender-setParameters.html [ Pass Skip Timeout ]\n\n# crbug.com/1218715 This fails when PartitionConnectionsByNetworkIsolationKey is enabled.\ncrbug.com/1218715 external/wpt/content-security-policy/reporting-api/reporting-api-works-on-frame-ancestors.https.sub.html [ Failure ]\n\n# Sheriff 2021-05-25\ncrbug.com/1209900 fast/peerconnection/RTCPeerConnection-reload-sctptransport.html [ Failure Pass ]\n\ncrbug.com/846981 fast/webgl/texImage-imageBitmap-from-imageData-resize.html [ Pass Skip Timeout ]\n\n# crbug.com/1095379: These fail with a timeout, even when they're given extra time (via SlowTests)\ncrbug.com/846656 external/wpt/css/selectors/focus-visible-002.html [ Pass Skip Timeout ]\ncrbug.com/1135405 http/tests/devtools/sources/debugger-pause/debugger-pause-infinite-loop.js [ Pass Skip Timeout ]\ncrbug.com/1018064 [ Mac ] virtual/threaded/http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-end-to-end.js [ Pass Skip Timeout ]\ncrbug.com/1034789 [ Mac ] http/tests/security/frameNavigation/xss-ALLOWED-parent-navigation-change-async.html [ Pass Timeout ]\ncrbug.com/1105957 [ Debug Linux ] fast/dom/cssTarget-crash.html [ Pass Timeout ]\ncrbug.com/915903 http/tests/security/inactive-document-with-empty-security-origin.html [ Pass Timeout ]\ncrbug.com/1146221 [ Linux ] http/tests/devtools/sources/debugger-ui/debugger-inline-values.js [ Pass Skip Timeout ]\ncrbug.com/1146221 [ Mac11-arm64 ] http/tests/devtools/sources/debugger-ui/debugger-inline-values.js [ Pass Skip Timeout ]\ncrbug.com/987138 [ Linux ] media/controls/doubletap-to-jump-forwards.html [ Pass Timeout ]\ncrbug.com/987138 [ Win ] media/controls/doubletap-to-jump-forwards.html [ Pass Timeout ]\ncrbug.com/1122742 http/tests/devtools/sources/debugger/source-frame-inline-breakpoint-decorations.js [ Pass Skip Timeout ]\ncrbug.com/867532 [ Linux ] http/tests/workers/worker-usecounter.html [ Pass Timeout ]\ncrbug.com/1002377 external/wpt/service-workers/service-worker/update-bytecheck.https.html [ Pass Skip Timeout ]\ncrbug.com/1002377 external/wpt/service-workers/service-worker/update-bytecheck-cors-import.https.html [ Pass Skip Timeout ]\ncrbug.com/805756 external/wpt/html/semantics/tabular-data/processing-model-1/span-limits.html [ Pass Skip Timeout ]\n\n# crbug.com/1218716: These fail when TrustTokenOriginTrial is enabled.\ncrbug.com/1218716 external/wpt/trust-tokens/trust-token-parameter-validation-xhr.tentative.https.html [ Failure ]\ncrbug.com/1218716 external/wpt/trust-tokens/trust-token-parameter-validation.tentative.https.html [ Failure ]\ncrbug.com/1218716 external/wpt/feature-policy/experimental-features/trust-token-redemption-default-feature-policy.tentative.https.sub.html [ Failure ]\ncrbug.com/1218716 external/wpt/feature-policy/experimental-features/trust-token-redemption-supported-by-feature-policy.tentative.html [ Failure ]\ncrbug.com/1218716 external/wpt/permissions-policy/experimental-features/trust-token-redemption-default-permissions-policy.tentative.https.sub.html [ Failure ]\ncrbug.com/1218716 external/wpt/permissions-policy/experimental-features/trust-token-redemption-supported-by-permissions-policy.tentative.html [ Failure ]\n\n# crbug.com/1095379: These three time out 100% of the time across all platforms:\ncrbug.com/919789 images/image-click-scale-restore-zoomed-image.html [ Timeout ]\ncrbug.com/919789 images/image-zoom-to-25.html [ Timeout ]\ncrbug.com/919789 images/image-zoom-to-500.html [ Timeout ]\n\n# Sheriff 2020-02-06\n# Flaking on Linux Leak\ncrbug.com/1049599 [ Linux ] virtual/threaded-prefer-compositing/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-08-19\ncrbug.com/626703 [ Win7 ] external/wpt/html/dom/documents/resource-metadata-management/document-lastModified-01.html [ Failure ]\n\n# These are added to W3CImportExpectations as Skip, remove when next import is done.\ncrbug.com/666657 external/wpt/css/css-text/hanging-punctuation/* [ Skip ]\n\ncrbug.com/909597 external/wpt/css/css-ui/text-overflow-ruby.html [ Failure ]\n\ncrbug.com/1005518 external/wpt/css/css-writing-modes/direction-upright-001.html [ Failure ]\ncrbug.com/1005518 external/wpt/css/css-writing-modes/direction-upright-002.html [ Failure ]\n\n# crbug.com/1218721: These tests fail when libvpx_for_vp8 is enabled.\ncrbug.com/1218721 fast/borders/border-radius-mask-video-shadow.html [ Failure ]\ncrbug.com/1218721 fast/borders/border-radius-mask-video.html [ Failure ]\ncrbug.com/1218721 [ Mac ] http/tests/media/video-frame-size-change.html [ Failure ]\n\ncrbug.com/637055 fast/css/outline-offset-large.html [ Skip ]\n\n# Either \"combo\" or split should run: http://testthewebforward.org/docs/css-naming.html\ncrbug.com/410320 external/wpt/css/css-writing-modes/orthogonal-parent-shrink-to-fit-001.html [ Skip ]\n\n# These tests pass but images do not match because of wrong half-leading in vertical-lr\n\n# These tests pass but images do not match because of position: absolute in vertical flow bug\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-003.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-005.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-007.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-009.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-002.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-004.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-006.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-008.xht [ Failure ]\n\n# These tests pass but images do not match because tests are stricter than the spec.\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-001.html [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-002.html [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-003.html [ Failure ]\n\n# We're experimenting with changing the behavior of the 'nonce' attribute\n\n# These CSS Writing Modes Level 3 tests pass but causes 1px diff on images, notified to the submitter.\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vlr-008.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vlr-020.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vrl-008.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vrl-020.xht [ Failure ]\n\ncrbug.com/381684 [ Mac ] fonts/family-fallback-gardiner.html [ Skip ]\ncrbug.com/381684 [ Win ] fonts/family-fallback-gardiner.html [ Skip ]\n\ncrbug.com/377696 printing/setPrinting.html [ Failure ]\n\ncrbug.com/1204498 external/wpt/service-workers/service-worker/client-navigate.https.html [ Failure Pass ]\ncrbug.com/1223681 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/client-navigate.https.html [ Failure Pass Skip Timeout ]\n\n# crbug.com/1218723 This test fails when SplitCacheByNetworkIsolationKey is enabled.\ncrbug.com/1218723 http/tests/devtools/network/network-prefetch.js [ Failure ]\n\n# Method needs to be renamed.\ncrbug.com/1253323 http/tests/devtools/network/network-persistence-filename-safety.js [ Skip ]\n\n# No support for WPT print-reftests:\ncrbug.com/1090628 external/wpt/infrastructure/reftest/reftest_match-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/infrastructure/reftest/reftest_match_fail-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-after-2-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-before-2-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-after-1-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-before-1-print.html [ Failure ]\n\ncrbug.com/1051044 external/wpt/css/filter-effects/effect-reference-feimage-001.html [ Failure Pass ]\ncrbug.com/1051044 external/wpt/css/filter-effects/effect-reference-feimage-003.html [ Failure Pass ]\n\ncrbug.com/524160 [ Debug ] http/tests/media/media-source/stream_memory_tests/mediasource-appendbuffer-quota-exceeded-default-buffers.html [ Timeout ]\n\n# On these platforms (all but Android) media tests don't currently use gpu-accelerated (proprietary) codecs, so no\n# benefit to running them again with gpu acceleration enabled.\ncrbug.com/555703 [ Linux ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Mac ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Win ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Fuchsia ] virtual/media-gpu-accelerated/* [ Skip ]\n\ncrbug.com/467477 fast/multicol/vertical-rl/nested-columns.html [ Failure ]\ncrbug.com/1262980 fast/multicol/infinitely-tall-content-in-outer-crash.html [ Pass Timeout ]\n\ncrbug.com/400841 media/video-canvas-draw.html [ Failure ]\n\n# switching to apache-win32: needs triaging.\ncrbug.com/528062 [ Win ] http/tests/css/missing-repaint-after-slow-style-sheet.pl [ Failure ]\ncrbug.com/528062 [ Win ] http/tests/local/blob/send-data-blob.html [ Failure Timeout ]\ncrbug.com/528062 [ Win ] http/tests/local/blob/send-hybrid-blob.html [ Failure Timeout ]\ncrbug.com/528062 [ Win ] http/tests/security/XFrameOptions/x-frame-options-cached.html [ Failure ]\ncrbug.com/528062 [ Win ] http/tests/security/contentSecurityPolicy/cached-frame-csp.html [ Failure ]\n\n# When drawing subpixel smoothed glyphs, CoreGraphics will fake bold the glyphs.\n# In this configuration, the pixel smoothed glyphs will be created from subpixel smoothed glyphs.\n# This means that CoreGraphics may draw outside the reported glyph bounds, and in this case does.\n# By about a quarter or less of a pixel.\ncrbug.com/997202 [ Mac ] virtual/text-antialias/international/bdo-bidi-width.html [ Failure ]\n\ncrbug.com/574283 [ Mac ] fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-anchors.html [ Skip ]\ncrbug.com/574283 [ Mac ] virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/fixed-background-in-iframe.html [ Skip ]\ncrbug.com/574283 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/main-thread-scrolling-reason-correctness.html [ Skip ]\ncrbug.com/574283 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/mousewheel-scroll-interrupted.html [ Skip ]\n\ncrbug.com/599670 [ Win ] http/tests/devtools/resource-parameters-ipv6.js [ Crash Failure Pass ]\ncrbug.com/472330 fast/borders/border-image-outset-split-inline-vertical-lr.html [ Failure ]\ncrbug.com/472330 fast/writing-mode/box-shadow-vertical-lr.html [ Failure ]\ncrbug.com/472330 fast/writing-mode/box-shadow-vertical-rl.html [ Failure ]\n\ncrbug.com/346473 fast/events/drag-on-mouse-move-cancelled.html [ Failure ]\n\n# These tests are skipped as there is no touch support on Mac.\ncrbug.com/613672 [ Mac ] fast/events/pointerevents/multi-pointer-event-in-slop-region.html [ Skip ]\n\n# In addition to having no support on Mac, the following test times out\n# regularly on Windows.\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scroll.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scroll-by-page.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-touchpad-fling.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-touchscreen-fling.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-mainframe.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-noscroll-body-xhidden.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-noscroll-body-yhidden.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div-past-extent-diagonally.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div-zoomed.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-iframe-editable.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-iframe.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-input-field.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page-past-extent.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page-zoomed.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page.html [ Skip ]\n\n# Since there is no compositor thread when running tests then there is no main thread event queue. Hence the\n# logic for this test will be skipped when running Layout tests.\ncrbug.com/770028 external/wpt/pointerevents/pointerlock/pointerevent_getPredictedEvents_when_pointerlocked-manual.html [ Skip ]\ncrbug.com/770028 external/wpt/pointerevents/pointerevent_predicted_events_attributes-manual.html [ Skip ]\n\n# crbug.com/1218729 These tests fail when InterestCohortAPIOriginTrial is enabled.\ncrbug.com/1218729 http/tests/origin_trials/webexposed/interest-cohort-origin-trial-interfaces.html [ Failure ]\ncrbug.com/1218729 virtual/stable/webexposed/feature-policy-features.html [ Failure ]\n\n# This test relies on racy should_send_resource_timing_info_to_parent() flag being sent between processes.\ncrbug.com/957181 external/wpt/resource-timing/nested-context-navigations-iframe.html [ Failure Pass ]\n\n# During work on crbug.com/1171767, we discovered a bug demonstrable through\n# WPT. Marking as a failing test until we update our implementation.\ncrbug.com/1223118 external/wpt/resource-timing/initiator-type/link.html [ Failure ]\n\n# Chrome touch-action computation ignores div transforms.\ncrbug.com/715148 external/wpt/pointerevents/pointerevent_touch-action-rotated-divs_touch-manual.html [ Skip ]\n\ncrbug.com/654999 [ Win ] fast/forms/color/color-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\ncrbug.com/654999 [ Linux ] fast/forms/color/color-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\n\ncrbug.com/658304 [ Win ] fast/forms/select/input-select-after-resize.html [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-001.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-002.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-003.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-004.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-005.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-005a.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-006.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-006a.html [ Failure ]\n\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-11.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-12.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-13.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-14.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-15.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-16.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-19.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-20.html [ Failure ]\n\ncrbug.com/1058772 external/wpt/css/css-fonts/test-synthetic-italic-2.html [ Failure ]\ncrbug.com/1058772 external/wpt/css/css-fonts/test-synthetic-italic-3.html [ Failure ]\n\ncrbug.com/1191718 external/wpt/css/css-text-decor/text-decoration-thickness-percent-001.html [ Failure ]\n\ncrbug.com/752449 [ Mac10.14 ] external/wpt/css/css-fonts/matching/fixed-stretch-style-over-weight.html [ Failure ]\ncrbug.com/752449 [ Mac10.12 ] external/wpt/css/css-fonts/matching/stretch-distance-over-weight-distance.html [ Failure ]\ncrbug.com/752449 [ Mac10.12 ] external/wpt/css/css-fonts/matching/style-ranges-over-weight-direction.html [ Failure ]\n\ncrbug.com/1191718 external/wpt/css/css-fonts/size-adjust-text-decoration.tentative.html [ Failure ]\n\n# CSS Font Feature Resolution is not implemented yet\ncrbug.com/450619 external/wpt/css/css-fonts/font-feature-resolution-001.html [ Failure ]\ncrbug.com/450619 external/wpt/css/css-fonts/font-feature-resolution-002.html [ Failure ]\n\n# CSS Forced Color Adjust preserve-parent-color is not implemented yet\ncrbug.com/1242706 external/wpt/css/css-forced-color-adjust/parsing/forced-color-adjust-computed.html [ Failure ]\ncrbug.com/1242706 external/wpt/css/css-forced-color-adjust/parsing/forced-color-adjust-valid.html [ Failure ]\n\n# These need a rebaseline due crbug.com/504745 on Windows when they are activated again.\ncrbug.com/521124 crbug.com/410145 [ Win7 ] fast/css/font-weight-1.html [ Failure Pass ]\n\n# Disabled briefly until test runner support lands.\ncrbug.com/479533 accessibility/show-context-menu.html [ Skip ]\ncrbug.com/479533 accessibility/show-context-menu-shadowdom.html [ Skip ]\ncrbug.com/483653 accessibility/scroll-containers.html [ Skip ]\n\n# Temporarily disabled until document marker serialization is enabled for AXInlineTextBox\ncrbug.com/1227485 accessibility/spelling-markers.html [ Failure ]\n\n# Bugs caused by enabling DMSAA on OOPR-Canvas\ncrbug.com/1229463 [ Mac ] virtual/oopr-canvas2d/fast/canvas/canvas-largedraws.html [ Crash ]\ncrbug.com/1229486 virtual/oopr-canvas2d/fast/canvas/canvas-incremental-repaint.html [ Failure ]\n\n# Temporarily disabled after chromium change\ncrbug.com/492511 [ Mac ] virtual/text-antialias/atsui-negative-spacing-features.html [ Failure ]\ncrbug.com/492511 [ Mac ] virtual/text-antialias/international/arabic-justify.html [ Failure ]\n\ncrbug.com/501659 fast/xsl/xslt-missing-namespace-in-xslt.xml [ Failure ]\n\ncrbug.com/501659 http/tests/security/xss-DENIED-xml-external-entity.xhtml [ Failure ]\ncrbug.com/501659 fast/css/stylesheet-candidate-nodes-crash.xhtml [ Failure ]\n\n# TODO(chrishtr) uncomment ones marked crbug.com/591500 after fixing crbug.com/665259.\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-absolute-covering-some-pages.html [ Failure ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-but-static-headers-and-footers.html [ Failure Pass ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-larger-than-page.html [ Failure Pass ]\n\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers.html [ Failure Pass ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/list-item-with-empty-first-line.html [ Failure ]\n\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-clipped.html [ Failure Pass ]\n\ncrbug.com/353746 virtual/android/fullscreen/video-specified-size.html [ Failure Pass ]\n\ncrbug.com/525296 fast/css/font-load-while-styleresolver-missing.html [ Crash Failure Pass ]\n\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-window.html [ Failure Pass Skip Timeout ]\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-worker.html [ Failure Pass Skip Timeout ]\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-sharedworker.html [ Failure Pass Skip Timeout ]\n\ncrbug.com/543369 fast/forms/select-popup/popup-menu-appearance-tall.html [ Failure Pass ]\n\ncrbug.com/548765 http/tests/devtools/console-fetch-logging.js [ Failure Pass ]\n\ncrbug.com/399951 http/tests/mime/javascript-mimetype-usecounters.html [ Failure Pass ]\n\ncrbug.com/663847 fast/events/context-no-deselect.html [ Failure Pass ]\n\ncrbug.com/611658 [ Win ] virtual/text-antialias/emphasis-combined-text.html [ Failure ]\n\ncrbug.com/611658 [ Win7 ] fast/writing-mode/english-lr-text.html [ Failure ]\n\ncrbug.com/654477 [ Win ] compositing/video/video-controls-layer-creation.html [ Failure Pass ]\ncrbug.com/654477 fast/hidpi/video-controls-in-hidpi.html [ Failure ]\ncrbug.com/654477 fast/layers/video-layer.html [ Failure ]\n# These could likely be removed - see https://chromium-review.googlesource.com/c/chromium/src/+/1252141\ncrbug.com/654477 media/controls-focus-ring.html [ Failure ]\n\ncrbug.com/637930 http/tests/media/video-buffered.html [ Failure Pass ]\n\ncrbug.com/613659 external/wpt/quirks/percentage-height-calculation.html [ Failure ]\n\n# Note: this test was previously marked as slow on Debug builds. Skipping until crash is fixed\ncrbug.com/619978 fast/css/giant-stylesheet-crash.html [ Skip ]\n\ncrbug.com/624430 [ Win10.20h2 ] virtual/text-antialias/font-features/caps-casemapping.html [ Failure ]\n\ncrbug.com/399507 virtual/threaded/http/tests/devtools/tracing/timeline-paint/layer-tree.js [ Skip ]\n\n# These tests have test harness errors and PASS lines that have a\n# non-deterministic order.\ncrbug.com/705125 fast/mediacapturefromelement/CanvasCaptureMediaStream-capture-out-of-DOM-element.html [ Failure ]\n\n# Working on getting the CSP tests going:\ncrbug.com/694525 external/wpt/content-security-policy/navigation/to-javascript-parent-initiated-child-csp.html [ Skip ]\n\n# These tests will be added back soon:\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-aux-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-main-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-sub-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-same-origin-aux-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-same-origin-sub-frame-navigation.sub.html [ Skip ]\n\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/cross-document-traversal-cross-document-traversal.html [ Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-traversal-hashchange.html [ Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-traversal-pushstate.html [ Timeout ]\n\n# These two are like the above but some bots seem to give timeouts that count as failures according to the -expected.txt,\n# while other bots give actual timeouts.\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/cross-document-traversal-same-document-nav.html [ Failure Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-nav.html [ Failure Timeout ]\n\ncrbug.com/876485 fast/performance/performance-measure-null-exception.html [ Failure ]\n\ncrbug.com/713587 external/wpt/css/css-ui/caret-color-006.html [ Skip ]\n\n# Unprefixed image-set() not supported\ncrbug.com/630597 external/wpt/css/css-images/image-set/image-set-rendering.html [ Failure ]\ncrbug.com/630597 external/wpt/css/css-images/image-set/image-set-content-rendering.html [ Failure ]\n\ncrbug.com/604875 external/wpt/css/css-images/tiled-gradients.html [ Failure ]\n\ncrbug.com/808834 [ Linux ] external/wpt/css/css-pseudo/first-letter-001.html [ Failure ]\ncrbug.com/808834 [ Win ] external/wpt/css/css-pseudo/first-letter-001.html [ Failure ]\n\ncrbug.com/932343 external/wpt/css/css-pseudo/selection-text-shadow-016.html [ Failure ]\n\ncrbug.com/723741 virtual/threaded/http/tests/devtools/tracing/idle-callback.js [ Crash Failure Pass Skip Timeout ]\n\n# Untriaged failures after https://crrev.com/c/543695/.\n# These need to be updated but appear not to be related to that change.\ncrbug.com/626703 http/tests/devtools/indexeddb/database-refresh-view.js [ Failure Pass ]\ncrbug.com/626703 crbug.com/946710 http/tests/devtools/extensions/extensions-sidebar.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/751952 virtual/text-antialias/international/complex-text-rectangle.html [ Pass Timeout ]\ncrbug.com/751952 [ Win ] editing/selection/modify_extend/extend_by_character.html [ Failure Pass ]\n\ncrbug.com/805463 external/wpt/acid/acid3/numbered-tests.html [ Skip ]\n\ncrbug.com/828506 [ Win ] fast/events/touch/scroll-without-mouse-lacks-mousemove-events.html [ Failure Pass ]\n\n# Failure messages are unstable so we cannot create baselines.\ncrbug.com/832071 external/wpt/service-workers/service-worker/worker-client-id.https.html [ Failure ]\n\n# failures in external/wpt/css/css-animations/ and web-animations/ from Mozilla tests\ncrbug.com/849859 external/wpt/css/css-animations/Element-getAnimations-dynamic-changes.tentative.html [ Failure ]\n\n# Some control characters still not visible\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-001.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-002.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-003.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-004.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-005.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-006.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-007.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-008.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00B.html [ Failure ]\ncrbug.com/893490 external/wpt/css/css-text/white-space/control-chars-00D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-010.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-011.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-012.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-013.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-014.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-015.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-016.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-017.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-018.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-019.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01F.html [ Failure ]\ncrbug.com/893490 external/wpt/css/css-text/white-space/control-chars-07F.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-080.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-080.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-082.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-082.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-083.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-083.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-084.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-084.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-085.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-085.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-086.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-086.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-087.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-087.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-088.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-088.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-089.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-089.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08A.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08B.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08C.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-091.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-091.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-092.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-092.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-093.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-093.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-094.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-094.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-096.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-096.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-097.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-097.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-098.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-098.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-099.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-099.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09A.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09B.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09C.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09F.html [ Failure ]\n\n# needs implementation of test_driver_internal.action_sequence\n# tests in this group need implementation of keyDown/keyUp\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/multiDevice.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/actionsWithKeyPressed.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/textEditCommands.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/html/semantics/forms/the-input-element/checkable-active-onblur.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/html/semantics/forms/the-button-element/active-onblur.html [ Failure Timeout ]\n\n# needs implementation of test_driver_internal.action_sequence\n# for these tests there is an exception when scrolling: element click intercepted error\ncrbug.com/1040611 external/wpt/uievents/order-of-events/mouse-events/wheel-basic.html [ Failure Timeout ]\ncrbug.com/1040611 external/wpt/uievents/order-of-events/mouse-events/wheel-scrolling.html [ Failure Timeout ]\n\n\n# isInputPending requires threaded compositing and layerized iframes\ncrbug.com/910421 external/wpt/is-input-pending/* [ Skip ]\ncrbug.com/910421 virtual/threaded-composited-iframes/external/wpt/is-input-pending/* [ Pass ]\n\n# requestIdleCallback requires threaded compositing\ncrbug.com/1259718 external/wpt/requestidlecallback/* [ Skip ]\ncrbug.com/1259718 virtual/threaded/external/wpt/requestidlecallback/* [ Pass ]\n\n# WebVTT is off because additional padding\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_completely_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_partially_move_down.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_partially_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_end.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_end_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_start.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_start_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/basic.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/bidi_ruby.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_LF_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_u2028_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_u2029_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u0041_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u05D0_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u0628_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u06E9_no_strong_dir.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/cue_too_long.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/decode_escaped_entities.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/disable_controls_reposition.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_align_position_line_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_align_position_line_size_while_paused.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_line.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_text.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_text_while_paused.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/enable_controls_reposition.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/9_cues_overlapping_completely_all_cues_have_same_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/9_cues_overlapping_completely.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/media_height_19.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/single_quote.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/size_90.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/size_99.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_0_is_top.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_1_wrapped_cue_grow_downwards.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_-2_wrapped_cue_grow_upwards.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_integer_and_percent_mixed_overlap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_integer_and_percent_mixed_overlap_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_percent_and_integer_mixed_overlap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_percent_and_integer_mixed_overlap_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/media_height400_with_controls.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/media_with_controls.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/navigate_cue_position.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/one_line_cue_plus_wrapped_cue.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/repaint.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_shorthand_css_relative_url.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_hex.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_hsla.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_rgba.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/cue_selector_single_colon.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_box.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_shorthand_css_relative_url.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_hex.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_hsla.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_rgba.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/cue_func_selector_single_colon.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/id_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/inherit_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/not_allowed_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/not_root_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/root_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/root_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_overline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_overline_underline_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_underline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/type_selector_root.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_voice_attribute.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_nowrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/inherit_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue-region/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue-region_function/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_overline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_overline_underline_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_underline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_nowrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/bold_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/inherit_as_default_value_inherits_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/italic_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/underline_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/size_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/too_many_cues.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/too_many_cues_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_gt_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_lt_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_lt_50_size_gt_maximum_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/basic.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/regionanchor_x_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/regionanchor_y_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/scroll_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/single_line_top_left.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/viewportanchor_x_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/viewportanchor_y_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/width_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_gt_50_size_gt_maximum_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/start_alignment.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/vertical_rl.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/vertical_ruby-position.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_vertical_text-combine-upright.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/vertical_lr.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/vertical_text-combine-upright.html [ Failure ]\n\n# Flaky test\ncrbug.com/1126649 [ Mac ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure ]\ncrbug.com/1126649 [ Mac ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure ]\n\n# FontFace object failures detected by WPT test\ncrbug.com/965409 external/wpt/css/css-font-loading/fontface-descriptor-updates.html [ Failure ]\n\n# Linux draws antialiasing differently when overlaying two text layers.\ncrbug.com/785230 [ Linux ] external/wpt/css/css-text-decor/text-decoration-thickness-ink-skip-dilation.html [ Failure ]\n\ncrbug.com/1002514 external/wpt/web-share/share-sharePromise-internal-slot.https.html [ Crash Failure ]\n\ncrbug.com/1029514 external/wpt/html/semantics/embedded-content/the-video-element/resize-during-playback.html [ Failure Pass ]\n\n# css-pseudo-4 opacity not applied to ::first-line\ncrbug.com/1085772 external/wpt/css/css-pseudo/first-line-opacity-001.html [ Failure ]\n\n# motion-1 issues\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-002.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-003.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-004.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-005.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-006.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-007.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-009.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-001.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-002.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-003.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-004.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-005.html [ Failure ]\n\n# Various css-values WPT failures\ncrbug.com/1053965 external/wpt/css/css-values/ex-unit-004.html [ Failure ]\ncrbug.com/759914 external/wpt/css/css-values/ch-unit-011.html [ Failure ]\ncrbug.com/965366 external/wpt/css/css-values/ch-unit-017.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-010.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-011.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-009.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-008.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-012.html [ Failure ]\ncrbug.com/937104 external/wpt/css/css-values/lh-unit-002.html [ Failure ]\ncrbug.com/937104 external/wpt/css/css-values/lh-unit-001.html [ Failure ]\n\ncrbug.com/1067277 external/wpt/css/css-content/element-replacement-on-replaced-element.tentative.html [ Failure ]\ncrbug.com/1069300 external/wpt/css/css-pseudo/active-selection-063.html [ Failure ]\ncrbug.com/1108711 external/wpt/css/css-pseudo/active-selection-057.html [ Failure ]\ncrbug.com/1110399 external/wpt/css/css-pseudo/active-selection-031.html [ Failure ]\ncrbug.com/1110401 external/wpt/css/css-pseudo/active-selection-045.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/active-selection-027.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/active-selection-025.html [ Failure ]\n\ncrbug.com/27659 external/wpt/css/css-ruby/abs-in-ruby-base-container.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/abs-in-ruby-base.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-005.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/empty-ruby-base-container.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/empty-ruby-text-container-float.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/improperly-contained-annotation-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/rb-display-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/root-block-ruby.xhtml [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/root-ruby.xhtml [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/rt-display-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-001a.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-002a.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-base-container-abs.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-base-container-float.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-bidi-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-bidi-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-004.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-005.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-model-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-float-handling-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-justification-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-justification-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-lang-specific-style-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-breaking-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-breaking-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-text-collapse.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-whitespace-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-whitespace-002.html [ Failure ]\n\n# WebRTC: Perfect Negotiation times out in Plan B. This is expected.\ncrbug.com/980872 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-perfect-negotiation.https.html [ Skip Timeout ]\n\n# WebRTC: there's an open bug with some capture scenarios not working.\ncrbug.com/1156408 external/wpt/webrtc/RTCPeerConnection-relay-canvas.https.html [ Failure Pass Skip Timeout ]\ncrbug.com/1156408 external/wpt/webrtc/RTCPeerConnection-capture-video.https.html [ Failure Pass Skip Timeout ]\n\ncrbug.com/1074547 external/wpt/css/css-transitions/transitioncancel-002.html [ Timeout ]\n\ncrbug.com/1024156 external/wpt/css/css-pseudo/cascade-highlight-004.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/cascade-highlight-005.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-cascade-001.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-cascade-002.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-paired-cascade-003.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-paired-cascade-006.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-styling-002.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-styling-004.html [ Failure ]\ncrbug.com/1113004 external/wpt/css/css-pseudo/active-selection-043.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-051.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-052.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-053.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-054.html [ Failure ]\ncrbug.com/1018465 external/wpt/css/css-pseudo/active-selection-056.html [ Failure ]\ncrbug.com/932343 external/wpt/css/css-pseudo/active-selection-014.html [ Failure ]\n\n# virtual/css-highlight-inheritance/\ncrbug.com/1217745 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/active-selection-018.html [ Failure ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/cascade-highlight-004.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-cascade-001.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-cascade-002.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-paired-cascade-003.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-paired-cascade-006.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-styling-002.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-styling-004.html [ Pass ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-001.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-002.html [ Failure ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-003.html [ Failure ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-004.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-001.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-003.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-004.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-001.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-003.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-004.html [ Pass ]\n\ncrbug.com/1105958 external/wpt/payment-request/payment-is-showing.https.html [ Failure Skip Timeout ]\n\n### external/wpt/css/CSS2/tables/\ncrbug.com/958381 external/wpt/css/CSS2/tables/column-visibility-004.xht [ Failure ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-079.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-080.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-081.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-082.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-083.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-084.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-085.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-086.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-093.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-094.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-095.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-096.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-097.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-098.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-103.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-104.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-125.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-126.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-127.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-128.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-129.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-130.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-131.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-132.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-155.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-156.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-157.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-158.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-167.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-168.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-171.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-172.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-181.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-182.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-183.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-184.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-185.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-186.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-187.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-188.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-199.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-200.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-201.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-202.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-203.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-204.xht [ Skip ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/anonymous-table-box-width-001.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-009.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-010.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-011.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-012.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-015.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-016.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-017.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-018.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-019.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-020.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-177.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-178.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-179.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-180.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-189.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-190.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-191.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-192.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-193.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-194.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-195.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-196.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-197.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-198.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-205.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-206.xht [ Failure ]\n\n# unblock roll wpt\ncrbug.com/626703 external/wpt/service-workers/service-worker/worker-interception.https.html [ Failure ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/worker-interception.https.html [ Pass ]\n\n# ====== Test expectations added to unblock wpt-importer ======\ncrbug.com/626703 external/wpt/service-workers/service-worker/navigation-timing-extended.https.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scroll-animation-lifetime.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scroll-timeline-snapshotting.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scrolltimeline-root-scroller-quirks-mode.html [ Failure ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/navigation-timing-extended.https.html [ Failure ]\n\n# ====== New tests from wpt-importer added here ======\ncrbug.com/626703 [ Mac10.15 ] external/wpt/page-visibility/minimize.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/shared_array_buffer_on_desktop/external/wpt/compression/decompression-constructor-error.tentative.any.serviceworker.html [ Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/web-locks/bfcache/abort.tentative.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/fenced-frame-mparch/wpt_internal/fenced_frame/create-credential.https.html [ Crash ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-subresource-corp.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/workers/modules/shared-worker-import-csp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_AES-CTR.https.any.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_RSA-OAEP.https.any.html?1-10 [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_RSA-OAEP.https.any.worker.html?141-150 [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/import_export/ec_importKey.https.any.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/accelerometer/Accelerometer-enabled-by-feature-policy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/accessibility/crashtests/activedescendant-crash.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/currentchange-event/currentchange-app-history-updateCurrent.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate-event/navigate-meta-refresh.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate-event/navigateerror-ordering-location-api.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate/disambigaute-forward.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/beacon/headers/header-referrer-no-referrer-when-downgrade.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/bluetooth/characteristic/readValue/characteristic-is-removed.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/split-http-cache/external/wpt/signed-exchange/reporting/sxg-reporting-prefetch-mi_error.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded-prefer-compositing/external/wpt/css/cssom-view/CaretPosition-001.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/css/css-animations/computed-style-animation-parsing.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/css/css-backgrounds/background-repeat/background-repeat-space.xht [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/scroll-animations/scroll-timelines/current-time-nan.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/unified-autoplay/external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/046.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/049.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/139.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/fetch-src/alpha/base.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/compilation-error-2.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/dynamic-import/blob-url.any.sharedworker.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/evaluation-error-1.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/script-onerror-insertion-point-2.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-template-element/additions-to-the-steps-to-clone-a-node/template-clone-children.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-template-element/template-element/template-descendant-frameset.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/characteristic/notifications/service-is-removed.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/characteristic/writeValue/write-succeeds.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/requestDevice/canonicalizeFilter/empty-services-member.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/service/getCharacteristics/characteristics-found-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/service/getCharacteristics/gen-reconnect-during-with-uuid.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/getDescriptors/gen-descriptor-disconnect-called-during-error-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/getDescriptors/gen-descriptor-garbage-collection-ran-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/notifications/notification-after-disconnection.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/readValue/gen-gatt-op-garbage-collection-ran-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/writeValueWithoutResponse/blocklisted-characteristic.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryService/gen-device-disconnects-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryServices/gen-device-disconnects-before-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryServices/gen-device-disconnects-invalidates-objects.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristic/gen-device-goes-out-of-range.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristic/gen-disconnect-called-before.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristics/correct-characteristics.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-pranswer.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCRtpReceiver-getParameters.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/without-coep-for-shared-worker/external/wpt/html/cross-origin-embedder-policy/credentialless/video.tentative.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-color-adjust/rendering/dark-color-scheme/color-scheme-iframe-background-mismatch-opaque-cross-origin.sub.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/resource-timing/object-not-found-adds-entry.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCIceConnectionState-candidate-pair.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-helper-test.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/bundle.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-box/cssbox-initial.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/css3-transform-perspective.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/translate-parsing-invalid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewY/svg-skewy-016.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-048.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-relative-length-invalid-002.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewX/svg-skewx-011.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewY/svg-skewy-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/animation/transform-interpolation-perspective.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/crashtests/preserve3d-scene-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-box/svgbox-fill-box.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/animation/rotate-interpolation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/external-styles/svg-external-styles-008.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/perspective-origin-valid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewX/svg-skewx-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-045.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-relative-length-invalid-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-length-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-scale-test.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/scale/svg-scale-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/inline-styles/svg-inline-styles-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-matrix-004.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-035.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-list-separation/svg-transform-list-separations-011.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-013.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-032.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/perspective-origin-computed.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transformed-preserve-3d-1.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-list-separation/svg-transform-list-separations-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-input-003.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/subpixel-transform-changes-002.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-016.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-name-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/translate/svg-translate-050.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/group/svg-transform-group-008.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-percent-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-3d-rotateY-stair-above-001.xht [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transforms-support-calc.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/transform-computed.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/group/svg-transform-nested-023.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/inline-styles/svg-inline-styles-012.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-transformed-td-contains-fixed-position.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-014.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-063.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-length-cm-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-name-002.html [ Crash ]\ncrbug.com/626703 [ Linux ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/dialog-keydown-preventDefault.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-finished-add.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-ua-ch-platform-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-navigation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/font-access-persistent/external/wpt/font-access/font_access-blob.tentative.https.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/document-domain-disabled-by-default/external/wpt/document-policy/experimental-features/document-domain/document-domain.tentative.sub.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/scroll-timeline-cssom.tentative.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/http-equiv-accept-ch-non-secure.http.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-supported-by-feature-policy.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/at-scroll-timeline-before-phase.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-ua-ch-platform-feature/external/wpt/client-hints/accept-ch-non-secure.http.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/css/css-transitions/parsing/transition-invalid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/backdrop-stacking-order.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/idlharness.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/wpt_internal/client-hints/accept_ch_feature_policy_allow_legacy_hints.tentative.sub.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-cache-revalidation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/external-styles/svg-external-styles-010.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/backplate/forced-colors-mode-backplate-01.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/source-quirks-mode.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/forced-colors-mode-03.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-iframe.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/top-layer-parent-transform.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/animation-model/keyframe-effects/effect-value-iteration-composite-operation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/interfaces/Animation/commitStyles.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/service-workers/new-request-critical.https.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/at-scroll-timeline-inactive-phase.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-navigation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/json-modules/external/wpt/html/semantics/scripting-1/the-script-element/json-module/referrer-policies.sub.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/backplate/forced-colors-mode-backplate-11.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/scroll-timeline-invalidation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/current-time-writing-modes.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/scroll-animation-effect-phases.tentative.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-perspective-009.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/forced-colors-mode-10.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStreamTrack-MediaElement-disabled-video-is-black.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/fractional-scroll-offsets/external/wpt/css/css-position/sticky/position-sticky-nested-left.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/element-based-offset-unresolved.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/interfaces/Animation/cancel.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-attachment.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-attachment.https.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/css/css-sizing/parsing/min-height-invalid.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/element/manual/wide-gamut-canvas/canvas-display-p3-drawImage-ImageBitmap-Blob.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] virtual/plz-dedicated-worker/external/wpt/xhr/event-loadstart-upload.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/xhr/event-loadstart-upload.any.worker.html [ Crash ]\ncrbug.com/626703 [ Linux ] wpt_internal/webcodecs/reconfiguring_encoder.https.any.html [ Timeout ]\ncrbug.com/626703 [ Linux ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/cookies/attributes/domain.sub.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/cookies/attributes/domain.sub.html [ Failure ]\ncrbug.com/626703 external/wpt/workers/interfaces/WorkerUtils/importScripts/blob-url.worker.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/CSS2/tables/table-anonymous-objects-211.xht [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 external/wpt/editing/run/forwarddelete.html?6001-last [ Failure ]\ncrbug.com/626703 external/wpt/selection/contenteditable/initial-selection-on-focus.tentative.html?div [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/css/css-sizing/aspect-ratio/replaced-element-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/post-task-without-signals.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/post-task-without-signals.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/tentative/current-task-signal.any.serviceworker.html [ Crash ]\ncrbug.com/626703 external/wpt/geolocation-API/non-fully-active.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/cross-origin-opener-policy/coop-navigate-same-origin-csp-sandbox.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/cross-origin-opener-policy/coop-navigate-same-origin-csp-sandbox.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 external/wpt/density-size-correction/density-corrected-image-svg-aspect-ratio-cross-origin.sub.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-assign-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/a-user-click-during-pageshow.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/marker-webkit-text-fill-color.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/a-user-click-during-load.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-columns.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-ruby.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-grid.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-math.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-flex.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-table.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-span-dynamic.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-block.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-details.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-fieldset.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-option.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-select-1.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-table.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-select-2.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-span.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-onsignalingstatechanged.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-002.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-001.html [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-not-list-item-start.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-list-item-start.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-not-list-item.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 external/wpt/infrastructure/assumptions/non-local-ports.sub.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/mediacapture-insertable-streams/MediaStreamTrackGenerator-audio.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc-extensions/transfer-datachannel-service-worker.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc-extensions/transfer-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/1-iframe/parent-no-child-yeswithparams-subdomain.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-yes-child1-yes-subdomain-child2-yes-subdomainport.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/popups/opener-no-openee-yes-same.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-yes-child1-yes-subdomain-child2-no-port.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/Create-blocked-port.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-getpublickey.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/credblob-not-supported.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-badargs-authnrselection.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-timeout.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-timeout.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-large-blob-supported.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-extensions.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-excludecredentials.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/webauthn-testdriver-basic.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-resident-key.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-badargs-rpid.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-badargs-userverification.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/credblob-supported.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-large-blob-not-supported.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-extensions.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-grid/alignment/grid-content-alignment-overflow-002.html [ Failure ]\ncrbug.com/626703 external/wpt/FileAPI/file/send-file-formdata-controls.any.html [ Pass Timeout ]\ncrbug.com/626703 external/wpt/FileAPI/file/send-file-formdata-controls.any.worker.html [ Pass Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/url/url-setters.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/url/url-setters.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-counter-styles/counter-style-name-syntax.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-015.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-014.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-010.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-016.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wss [ Timeout ]\ncrbug.com/626703 external/wpt/html/cross-origin-opener-policy/iframe-popup-same-origin-to-same-origin.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/constructor.any.worker.html?wss [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-grid/grid-model/grid-areas-overflowing-grid-container-009.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-002.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/pointerevents/pointerevent_pointercapture_in_frame.html?pen [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/pointerevents/pointerevent_pointercapture_in_frame.html?pen [ Timeout ]\ncrbug.com/1265587 external/wpt/html/user-activation/activation-trigger-pointerevent.html?pen [ Failure ]\ncrbug.com/626703 external/wpt/html/cross-origin-opener-policy/iframe-popup-same-origin-to-unsafe-none.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-006.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-007.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-009.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-pubkeycredparams.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] virtual/restrict-gamepad/external/wpt/gamepad/idlharness-extensions.https.window.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-passing.https.html [ Crash ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-012.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-005.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/font-access-persistent/external/wpt/font-access/font_access-enumeration.tentative.https.window.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-008.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-011.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-013.html [ Failure ]\ncrbug.com/626703 external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.worker.html [ Crash ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-004.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-passing.https.html [ Crash ]\ncrbug.com/626703 external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-large-blob-not-supported.https.html [ Crash ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/remove-own-iframe-during-onerror.window.html?wss [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.serviceworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.worker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/content-security-policy/reporting/report-only-in-meta.sub.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/cache-storage/worker/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/cache-storage/window/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.sharedworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/service-workers/cache-storage/serviceworker/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/remove-own-iframe-during-onerror.window.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.worker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/constructor/010.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/constructor/010.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.serviceworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/opening-handshake/005.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/opening-handshake/005.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/opening-handshake/005.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCSctpTransport-maxChannels.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCSctpTransport-maxChannels.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-senderCaptureTimeOffset.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-senderCaptureTimeOffset.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-legacy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-legacy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/simulcast/h264.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simulcast/h264.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCEncodedAudioFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCEncodedAudioFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-stats/getStats-remote-candidate-address.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-stats/getStats-remote-candidate-address.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDtlsTransport-state.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDtlsTransport-state.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Failure Pass Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/split.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-video.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCEncodedVideoFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-connectionState.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-worker.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-worker.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-connectionState.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simulcast/vp8.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-errors.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-helper-test.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/bundle.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-video-frames.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/crypto-suite.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-onsignalingstatechanged.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDtlsTransport-getRemoteCertificates.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-audio.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-audio.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/no-media-call.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCRtpTransceiver.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-perfect-negotiation.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/promises-call.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-addIceCandidate-connectionSetup.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-addIceCandidate-connectionSetup.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/video-rvfc/request-video-frame-callback-webrtc.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/rtp-demuxing.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCIceConnectionState-candidate-pair.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simplecall-no-ssrcs.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/simplecall-no-ssrcs.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/1209223 external/wpt/html/syntax/xmldecl/xmldecl-2.html [ Failure ]\ncrbug.com/626703 [ Mac ] editing/pasteboard/drag-selected-image-to-contenteditable.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 external/wpt/focus/focus-already-focused-iframe-deep-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/content-security-policy/securitypolicyviolation/source-file-data-scheme.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/basic-auth.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/worklets/paint-worklet-credentials.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-images/image-set/image-set-parsing.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/basic/request-upload.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/script-write-twice-transform.https.html [ Failure Timeout ]\n# crbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/sframe-transform-buffer-source.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/basic-auth.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/backpressure-receive.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/bufferedAmount-unchanged-by-sync-xhr.any.worker.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/basic-auth.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/worklets/audio-worklet-credentials.https.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/request-upload.any.serviceworker.html [ Crash Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Crash Failure Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/custom-elements/form-associated/ElementInternals-setFormValue.html [ Crash Pass Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/custom-elements/form-associated/ElementInternals-setFormValue.html [ Pass Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/sandboxing/window-open-blank-from-different-initiator.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/request-upload.any.sharedworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/mediacapture-image/MediaStreamTrack-getConstraints.https.html [ Crash Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/webrtc-encoded-transform/script-transform.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/websockets/stream/tentative/backpressure-send.any.sharedworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/shared-workers.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/sframe-transform-buffer-source.html [ Crash Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/multi-globals/workers-coep-report.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/http-response-code.any.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/http-response-code.any.sharedworker.html [ Crash Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/FileAPI/file/send-file-formdata-controls.html [ Crash Pass ]\ncrbug.com/626703 [ Win ] external/wpt/FileAPI/file/send-file-formdata-controls.html [ Crash Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/stream/tentative/abort.any.serviceworker.html?wpt_flags=h2 [ Crash Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/abort.any.sharedworker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/offsetparent-old-behavior/external/wpt/shadow-dom/accesskey.tentative.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.serviceworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/selection/contenteditable/modifying-selection-with-primary-mouse-button.tentative.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/streams/readable-streams/tee.any.worker.html [ Failure ]\ncrbug.com/1191547 external/wpt/html/semantics/forms/the-label-element/proxy-modifier-click-to-associated-element.tentative.html [ Timeout ]\ncrbug.com/626703 external/wpt/websockets/cookies/001.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/002.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/003.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/005.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/007.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 [ Mac ] virtual/threaded/external/wpt/css/css-scroll-snap/input/keyboard.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 [ Linux ] wpt_internal/modal-close-watcher/basic.html [ Crash ]\ncrbug.com/626703 [ Mac10.13 ] wpt_internal/modal-close-watcher/basic.html [ Crash ]\ncrbug.com/626703 external/wpt/uievents/keyboard/modifier-keys-combinations.html [ Timeout ]\ncrbug.com/626703 external/wpt/uievents/keyboard/modifier-keys.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/1014091 external/wpt/shadow-dom/focus/focus-pseudo-on-shadow-host-1.html [ Failure ]\ncrbug.com/1014091 external/wpt/shadow-dom/focus/focus-pseudo-on-shadow-host-2.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/webmessaging/with-ports/011.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webmessaging/without-ports/011.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] virtual/threaded/external/wpt/web-animations/timing-model/animations/updating-the-finished-state.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&parent=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&parent=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&child=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&parent=b&child=i [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&child=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&parent=b&child=i [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/interaction/focus/document-level-focus-apis/document-has-system-focus.html [ Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-peerconnection-no-sink.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-peerconnection.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/update-bytecheck.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-element-and-another-list.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Backspace,ul [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-elements.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Delete,ul [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-elements.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-element-and-another-list.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Backspace,ol [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Delete,ol [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-stop.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.sharedworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/webxr/xr_viewport_scale.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/editing/other/select-all-and-delete-in-html-element-having-contenteditable.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/first-contentful-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/mask-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/first-contentful-paint.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/child-painting-first-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/sibling-painting-first-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/border-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/infrastructure/testdriver/actions/iframe.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/infrastructure/testdriver/actions/crossOrigin.sub.html [ Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-during-and-after-dispatch.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/scroll-to-text-fragment/redirects.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 [ Fuchsia ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/screen-capture/feature-policy.https.html [ Timeout ]\ncrbug.com/626703 [ Fuchsia ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-immediately.https.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/web-locks/query-ordering.tentative.https.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/fetch/connection-pool/network-partition-key.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-backspace.tentative.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-forwarddelete.tentative.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t422-rgba-a0.6-a.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-color/t32-opacity-basic-0.6-a.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-basic-a.xht [ Failure ]\ncrbug.com/626703 external/wpt/wasm/jsapi/functions/incumbent.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-innerheight-innerwidth.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/Worker-replace-self.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_multiple.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_oncookiechange_eventhandler_single_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_single.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-replace-EventHandler.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-MessageEvent-source.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/examples/onconnect.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/global-serviceworker.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-replace-EventHandler.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/interfaces/WorkerGlobalScope/self.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_empty.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_single_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_overlapping_subscriptions.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_overlapping_subscriptions.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStore_subscribe_arguments.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-MessageEvent-source.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_multiple_subscriptions.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_multiple_subscriptions.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_single_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/global-serviceworker.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/examples/onconnect.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_oncookiechange_eventhandler_single_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/postMessage_block.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/uievents/order-of-events/focus-events/focus-management-expectations.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/preload/onload-event.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/shared-worker-parse-error-failure.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-operations.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/content-dpr/content-dpr-various-elements.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/workers/abrupt-completion.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/eventsource/eventsource-constructor-url-bogus.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/webappapis/scripting/events/event-handler-attributes-body-window.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.html?1-1000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/css/cssom/CSSStyleSheet-constructable.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.worker.html?1001-2000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.worker.html?1001-2000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.html?3001-last [ Failure Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/content-security-policy/object-src/object-src-no-url-allowed.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/ready.https.window.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-x-css_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-left-css_touch.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/screen-capture/getdisplaymedia.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/screen-capture/getdisplaymedia.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-sharedworker-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-domain-failure.https.sub.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-iframe-messagechannel.https.html [ Failure ]\ncrbug.com/626703 external/wpt/fetch/corb/script-resource-with-nonsniffable-types.tentative.sub.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/location-set-and-document-open.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-align/baseline-rules/grid-item-input-type-number.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/baseline-rules/grid-item-input-type-text.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/feedback-delay-time.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/delay-time-clamping.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/cycle-without-delay.html [ Failure ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-inherit_child-pan-x-child-pan-y_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-inherit_child-none_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-y-css_touch.html [ Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/web-animations/timing-model/animation-effects/phases-and-states.html [ Crash ]\ncrbug.com/626703 external/wpt/webvtt/rendering/cues-with-video/processing-model/snap-to-line.html [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/IndexedDB/structured-clone.any.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-svg-none-test_touch.html [ Skip Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/extension/pointerevent_touch-action-pan-right-css_touch.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-offer.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/broadcastchannel-success.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webauthn/idlharness-manual.https.window.js [ Skip ]\ncrbug.com/1004760 [ Mac ] external/wpt/html/semantics/embedded-content/media-elements/ready-states/autoplay-hidden.optional.html [ Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-streams/MediaStream-MediaElement-srcObject.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/preload/download-resources.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/preload/download-resources.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/preload/onload-event.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/rendering/widgets/button-layout/anonymous-button-content-box.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/widgets/button-layout/inline-level.html [ Failure ]\ncrbug.com/626703 external/wpt/xhr/abort-after-stop.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesisUtterance-volume-manual.html [ Skip ]\ncrbug.com/626703 crbug.com/606367 external/wpt/pointerevents/pointerevent_touch-action-pan-x-pan-y-pan-y_touch.html [ Failure Pass Timeout ]\ncrbug.com/626703 crbug.com/606367 external/wpt/pointerevents/pointerevent_touch-action-none-css_touch.html [ Failure Pass Timeout ]\ncrbug.com/626703 external/wpt/xhr/event-readystatechange-loaded.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/li-value-counter-reset-001.html [ Failure ]\ncrbug.com/626703 external/wpt/xhr/event-readystatechange-loaded.any.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/list-item-definition.html [ Failure ]\ncrbug.com/626703 external/wpt/media-source/mediasource-correct-frames-after-reappend.html [ Failure Pass Skip Timeout ]\ncrbug.com/626703 external/wpt/media-source/mediasource-correct-frames.html [ Failure Pass Skip Timeout ]\ncrbug.com/626703 external/wpt/payment-method-basic-card/steps_for_selecting_the_payment_handler.html [ Timeout ]\ncrbug.com/626703 external/wpt/payment-method-basic-card/apply_the_modifiers.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/tables/table-border-3s.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/tables/table-border-3q.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/onchange-event.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-tracks.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-remote-track-mute.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-width-height.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/html/webappapis/animation-frames/cancel-handle-manual.html [ Skip ]\ncrbug.com/626703 external/wpt/fetch/content-type/response.window.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/webappapis/user-prompts/newline-normalization-manual.html [ Skip ]\ncrbug.com/903383 external/wpt/css/filter-effects/css-filters-animation-combined-001.html [ Failure ]\ncrbug.com/903383 external/wpt/css/filter-effects/css-filters-animation-blur.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-screenx.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-innerheight.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-height.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-top.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-width-height.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-innerwidth-innerheight.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-will-change/will-change-abspos-cb-dynamic-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-will-change/will-change-abspos-cb-001.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/url/a-element.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/Create-url-with-space.any.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/abort.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/backpressure-receive.any.serviceworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/backpressure-receive.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Linux ] virtual/system-color-compute/external/wpt/css/css-color/color-function-parsing.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/css/css-color/color-function-parsing.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/Create-blocked-port.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/Create-url-with-space.any.html [ Failure ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/webrtc/RTCDTMFSender-ontonechange-long.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange-long.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/dom/idlharness.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/payment-handler/idlharness.https.any.serviceworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/payment-request/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/private-click-measurement/idlharness.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/service-workers/idlharness.https.any.serviceworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/streams/idlharness.any.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/streams/idlharness.any.sharedworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/webhid/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.sharedworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/portals/external/wpt/portals/idlharness.window.html [ Failure ]\n\n# selectmenu timeouts\ncrbug.com/1253971 [ Linux ] external/wpt/html/semantics/forms/the-selectmenu-element/selectmenu-parts-structure.tentative.html [ Timeout ]\ncrbug.com/1253971 [ Mac ] external/wpt/html/semantics/forms/the-selectmenu-element/selectmenu-parts-structure.tentative.html [ Timeout ]\n\n\n### See crbug.com/891427 comment near the top of this file:\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-block-margins-2.html [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-004.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-001.svg [ Failure ]\n\ncrbug.com/1220220 external/wpt/html/rendering/non-replaced-elements/form-controls/input-placeholder-line-height.html [ Failure ]\n\n# Tests pass under virtual/webrtc-wpt-plan-b\nvirtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-operations.https.html [ Pass ]\n\ncrbug.com/1131471 external/wpt/web-locks/clientids.tentative.https.html [ Failure ]\n\n# See also crbug.com/920100 (sheriff 2019-01-09).\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/external-stylesheet.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/inline-style.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/inline-style-with-differentorigin-base-tag.tentative.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/internal-stylesheet.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/presentation-attribute.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/processing-instruction.html [ Failure Timeout ]\n\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-complex-001.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-bicubic-001.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-005.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-002.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-003.svg [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-block-margins.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-display-rendering.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-tall.html [ Failure ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesis-pause-resume.tentative.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-9.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-8.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-7.html [ Failure ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-16.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-64.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-62.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-19b.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-161.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18a.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18c.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-61.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-63.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-19.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-20.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-66.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-21.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-177a.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-17.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-65.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18b.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-159.xml [ Skip ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/reload.window.html [ Timeout ]\ncrbug.com/626703 external/wpt/quirks/text-decoration-doesnt-propagate-into-tables/quirks.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/fieldset-painting-order.html [ Failure ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/tasks.window.html [ Timeout ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-complex-002.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-shape-inside-001.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-complex-001.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-shape-inside-002.svg [ Failure ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesis-speak-without-activation-fails.tentative.html [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-007.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-005.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-002.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-003.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-201.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-001.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-002.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-006.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-003.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-001.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-101.svg [ Failure ]\ncrbug.com/626703 external/wpt/clear-site-data/executionContexts.sub.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/css/css-lists/content-property/marker-text-matches-armenian.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-disc.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-square.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-circle.html [ Failure ]\ncrbug.com/626703 external/wpt/content-security-policy/securitypolicyviolation/targeting.html [ Timeout ]\ncrbug.com/626703 external/wpt/web-animations/timing-model/timelines/update-and-send-events.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/orientation-reading.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/unloading-documents/prompt-and-unload-script-closeable.html [ Failure ]\n\n# navigation.sub.html fails or times out when run with run_web_tests.py but passes with run_wpt_tests.py\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=windows-1252 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=x-cp1251 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=utf8 [ Failure Timeout ]\n\ncrbug.com/626703 external/wpt/fetch/security/redirect-to-url-with-credentials.https.html [ Timeout ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-003.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-004.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-005.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-objectboundingbox-content-clip-transform.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-objectboundingbox-content-clip.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-userspaceonuse-content-clip-transform.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-userspaceonuse-content-clip.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-001.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-002.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-005.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-006.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-008.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-element-userSpaceOnUse-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-element-userSpaceOnUse-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-001.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-002.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-005.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-006.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-007.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-008.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-006.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-007.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-008.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-009.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-010.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-011.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-012.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-polygon-013.html [ Failure ]\ncrbug.com/981970 external/wpt/fetch/http-cache/split-cache.html [ Skip ]\ncrbug.com/626703 external/wpt/fetch/http-cache/basic-auth-cache-test.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/cssom-view/scroll-behavior-smooth.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/history/joint-session-history/joint-session-history-remove-iframe.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/mediaqueries/viewport-script-dynamic.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-fill-stroke/paint-order-001.tentative.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-ui/text-overflow-026.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-inline-table-002.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-table-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-inline-table-001.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t422-rgba-onscreen-multiple-boxes-c.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-onscreen-multiple-boxes-c.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-onscreen-b.xht [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/css/css-color/t425-hsla-onscreen-b.xht [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1i.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1j.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1k.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1l.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2i.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2j.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2k.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2l.html [ Failure ]\ncrbug.com/626703 external/wpt/acid/acid2/reftest.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/acid/acid3/test.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-ui/cursor-auto-006.html [ Skip ]\ncrbug.com/626703 external/wpt/css/css-ui/cursor-auto-007.html [ Skip ]\ncrbug.com/626703 external/wpt/compat/webkit-text-fill-color-property-005.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/text-decoration-va-length-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/text-decoration-va-length-002.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/white-space-collapsing-bidi-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/white-space-mixed-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/floats/floats-wrap-bfc-006b.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/floats/floats-wrap-bfc-006c.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/logical-physical-mapping-001.html [ Failure ]\ncrbug.com/626703 external/wpt/encoding/eof-utf-8-three.html [ Failure ]\ncrbug.com/626703 external/wpt/encoding/eof-utf-8-two.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/windows/noreferrer-window-name.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/IndexedDB/request-abort-ordering.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/media-source/mediasource-avtracks.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/media-source/mediasource-getvideoplaybackquality.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/pointerevents/pointerevent_disabled_form_control-manual.html [ Pass Timeout ]\ncrbug.com/958104 external/wpt/presentation-api/controlling-ua/getAvailability.https.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/onchange-event-subframe.html [ Timeout ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/xhr/event-readystatechange-loaded.htm [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/dom/elements/global-attributes/dir_auto-N-EN-ref.html [ Failure ]\n\n# Synthetic modules report the wrong location in errors\ncrbug.com/994315 virtual/json-modules/external/wpt/html/semantics/scripting-1/the-script-element/json-module/parse-error.html [ Skip ]\n\n# These tests pass on the blink_rel bots but fail on the other builders\ncrbug.com/1051773 external/wpt/css/CSS2/floats/float-nowrap-3-ref.html [ Crash ]\ncrbug.com/1051773 external/wpt/css/CSS2/floats/float-nowrap-4.html [ Crash Timeout ]\n\ncrbug.com/964181 external/wpt/css/css-text/overflow-wrap/overflow-wrap-anywhere-inline-002.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/overflow-wrap/overflow-wrap-anywhere-inline-003.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-004.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-007.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-009.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-010.html [ Failure ]\n\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-006.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-007.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-008.html [ Failure ]\ncrbug.com/1017164 [ Win ] external/wpt/css/css-text/word-break/word-break-normal-km-000.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-normal-my-000.html [ Failure ]\ncrbug.com/1017164 [ Linux ] external/wpt/css/css-text/word-break/word-break-normal-lo-000.html [ Failure ]\ncrbug.com/1017164 [ Win ] external/wpt/css/css-text/word-break/word-break-normal-lo-000.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-normal-tdd-000.html [ Failure ]\ncrbug.com/1015331 external/wpt/css/css-text/white-space/eol-spaces-bidi-001.html [ Failure ]\n\ncrbug.com/899264 external/wpt/css/css-text/letter-spacing/letter-spacing-control-chars-001.html [ Failure ]\n\ncrbug.com/1250666 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/invalid-image-pending-script.https.html [ Pass Timeout ]\n\ncrbug.com/829028 external/wpt/css/css-break/abspos-in-opacity-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/avoid-border-break.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-005.html [ Failure ]\ncrbug.com/269061 external/wpt/css/css-break/box-shadow.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-006.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-003.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-004.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-007.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/forced-break-at-fragmentainer-start-000.html [ Failure ]\ncrbug.com/614667 external/wpt/css/css-break/grid/grid-item-fragmentation-020.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow-lr.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow-rl.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-029.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-030.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-032.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-034.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-035.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-036.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-038.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-039.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-040.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-041.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-042.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-043.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-044.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-045.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-046.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-047.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-052.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-054.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-057.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-058.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-059.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-060.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-061.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-062.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-063.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-065.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-066.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-071.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-073.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflowed-block-with-no-room-after-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflowed-block-with-no-room-after-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/relpos-inline-hit-testing.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/relpos-inline.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/ruby-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/trailing-child-margin-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/trailing-child-margin-002.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-003.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-004.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/transform-006.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/transform-008.html [ Failure ]\ncrbug.com/1224888 external/wpt/css/css-break/transform-009.html [ Failure ]\ncrbug.com/1156312 external/wpt/css/css-break/widows-orphans-017.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-ltr-rtl-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-rtl-ltr-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-rtl-rtl-in-multicol.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-ltr-rtl-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-rtl-ltr-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-rtl-rtl-in-multicol.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-ltr-rtl-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-rtl-ltr-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-rtl-rtl-in-multicols.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-ltr-rtl-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-rtl-ltr-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-rtl-rtl-in-multicols.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/abspos-containing-block-outside-spanner.html [ Failure ]\ncrbug.com/967329 external/wpt/css/css-multicol/columnfill-auto-max-height-001.html [ Failure ]\ncrbug.com/967329 external/wpt/css/css-multicol/columnfill-auto-max-height-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/balance-break-avoidance-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/balance-orphans-widows-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/fixed-in-multicol-with-transform-container.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/hit-test-transformed-child.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-000.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-001.html [ Failure ]\ncrbug.com/481431 external/wpt/css/css-multicol/multicol-breaking-004.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-005.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-nobackground-000.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-nobackground-001.html [ Failure ]\ncrbug.com/481431 external/wpt/css/css-multicol/multicol-breaking-nobackground-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-013.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-014.html [ Failure ]\ncrbug.com/829028 [ Mac ] external/wpt/css/css-multicol/multicol-list-item-004.html [ Failure ]\ncrbug.com/829028 [ Mac ] external/wpt/css/css-multicol/multicol-list-item-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-013.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-015.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-016.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-017.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-018.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-022.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-023.html [ Failure ]\ncrbug.com/1246602 external/wpt/css/css-multicol/multicol-oof-inline-cb-001.html [ Failure ]\ncrbug.com/1246602 external/wpt/css/css-multicol/multicol-oof-inline-cb-002.html [ Failure ]\ncrbug.com/792435 external/wpt/css/css-multicol/multicol-rule-004.xht [ Failure ]\ncrbug.com/792437 external/wpt/css/css-multicol/multicol-rule-inset-000.xht [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-001.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-002.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-003.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-004.html [ Failure ]\ncrbug.com/792437 external/wpt/css/css-multicol/multicol-rule-outset-000.xht [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-001.html [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-002.html [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-003.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-001.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-002.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-003.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-005.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-006.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-007.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-009.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-008.html [ Failure ]\ncrbug.com/926685 external/wpt/css/css-multicol/multicol-span-all-010.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-014.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-015.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-017.html [ Failure ]\ncrbug.com/892817 external/wpt/css/css-multicol/multicol-span-all-margin-bottom-001.xht [ Failure ]\ncrbug.com/636055 external/wpt/css/css-multicol/multicol-span-all-margin-nested-002.xht [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-span-all-rule-001.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-001.xht [ Failure ]\ncrbug.com/964183 external/wpt/css/css-multicol/multicol-width-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/nested-at-outer-boundary-as-fieldset.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/nested-with-too-tall-line.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/non-adjacent-spanners-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/orthogonal-writing-mode-spanner.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-011.html [ Failure ]\ncrbug.com/1191124 external/wpt/css/css-multicol/spanner-fragmentation-012.html [ Failure ]\ncrbug.com/1224888 external/wpt/css/css-multicol/spanner-in-opacity.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-002.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-003.html [ Failure ]\n\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-007.tentative.html [ Failure ]\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-009.tentative.html [ Failure ]\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-011.tentative.html [ Failure ]\ncrbug.com/1097992 external/wpt/css/css-pseudo/marker-font-variant-numeric-normal.html [ Failure ]\ncrbug.com/1060007 external/wpt/css/css-pseudo/marker-text-combine-upright.html [ Failure ]\n\n# iframe tests time out if the request is blocked as mixed content.\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/iframe-blank-inherit.meta/unset/iframe-tag.https.html [ Skip Timeout ]\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/srcdoc-inherit.meta/unset/iframe-tag.https.html [ Skip Timeout ]\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/top.meta/unset/iframe-tag.https.html [ Skip Timeout ]\n\n# Different results on try bots and CQ, skipped to unblock wpt import.\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-default-css.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-element.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-main-frame-root.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-main-frame-window.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-scrollintoview-nested.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-smooth-positions.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-subframe-root.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-subframe-window.html [ Skip ]\n\n# Crashes with DCHECK enabled, but not on normal Release builds.\ncrbug.com/809935 external/wpt/css/css-fonts/variations/font-style-interpolation.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-ui/text-overflow-011.html [ Crash Failure Pass ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/margin-collapsing-quirks/multicol-quirks-mode.html [ Crash Pass ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/margin-collapsing-quirks/multicol-standards-mode.html [ Crash Failure Pass ]\n\n# Other untriaged test failures, timeouts and crashes from newly-imported WPT tests.\ncrbug.com/626703 external/wpt/html/browsers/history/the-location-interface/location-protocol-setter-non-broken.html [ Failure Pass ]\n\n# <input disabled> does not fire click events after dispatchEvent\ncrbug.com/1115661 external/wpt/dom/events/Event-dispatch-click.html [ Timeout ]\n\n# Implement text-decoration correctly for vertical text\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-thickness-vertical-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-underline-offset-vertical-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-skip-ink-upright-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-skip-ink-upright-001.html [ Failure ]\n\ncrbug.com/912362 external/wpt/web-animations/timing-model/timelines/timelines.html [ Failure ]\n\n# Unclear if XHR events should still be fired after its frame is discarded.\ncrbug.com/881180 external/wpt/xhr/open-url-multi-window-4.htm [ Timeout ]\n\ncrbug.com/910709 navigator_language/worker_navigator_language.html [ Timeout ]\n\ncrbug.com/435547 http/tests/cachestorage/serviceworker/ignore-search-with-credentials.html [ Skip ]\n\ncrbug.com/697971 [ Mac10.12 ] virtual/text-antialias/selection/flexbox-selection-nested.html [ Skip ]\ncrbug.com/697971 [ Mac10.12 ] virtual/text-antialias/selection/flexbox-selection.html [ Skip ]\n\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-bottom-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-bottom-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-bottom-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-bottom-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-radius-clip-001.html [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-radius-clip-001.html [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-radius-clip-002.htm [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-radius-clip-002.htm [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-top-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-top-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-top-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-top-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/box-shadow-radius-000.html [ Failure ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/box-shadow-radius-000.html [ Failure ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/box-shadow-radius-001.html [ Failure ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/box-shadow-radius-001.html [ Failure ]\n\n# [css-grid]\ncrbug.com/1045599 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-safe-001.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/alignment/grid-row-axis-self-baseline-synthesized-004.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/alignment/grid-self-baseline-not-applied-if-sizing-cyclic-dependency-003.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-columns-001.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-columns-interpolation.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-rows-001.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-rows-interpolation.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/grid-definition/grid-repeat-max-width-001.html [ Failure ]\n\n# The 'last baseline' keyword is not implemented yet\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-item-self-baseline-001.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-001.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-002.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-004.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-003.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-004.html [ Failure ]\n\n# Baseline Content-Alignment is not implemented yet for CSS Grid Layout\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-001.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-002.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-003.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-004.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-001.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-002.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-003.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-004.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-baseline-align-001.html [ Failure ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-baseline-justify-001.html [ Failure ]\n\n# Subgrid is not implemented yet\ncrbug.com/618969 external/wpt/css/css-grid/subgrid/* [ Skip ]\n\n### Tests failing with SVGTextNG enabled:\ncrbug.com/1179585 svg/custom/visibility-collapse.html [ Failure ]\n\ncrbug.com/1236992 svg/dom/SVGListPropertyTearOff-gccrash.html [ Failure Pass ]\n\n# [css-animations]\ncrbug.com/993365 external/wpt/css/css-transitions/Element-getAnimations.tentative.html [ Failure Pass ]\n\ncrbug.com/664450 http/tests/devtools/console/console-on-animation-worklet.js [ Skip ]\n\ncrbug.com/826419 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-remove-track-inband.html [ Skip ]\n\ncrbug.com/825798 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-webvtt-non-snap-to-lines.html [ Failure ]\n\ncrbug.com/1093188 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-webvtt-two-cue-layout-after-first-end.html [ Failure Pass ]\n\n# This test requires a special browser flag and seems not suitable for a wpt test, see bug.\ncrbug.com/691944 external/wpt/service-workers/service-worker/update-after-oneday.https.html [ Skip ]\n\n# These tests (erroneously) see a platform-specific User-Agent header\ncrbug.com/595993 external/wpt/service-workers/service-worker/fetch-header-visibility.https.html [ Failure ]\n\ncrbug.com/619427 [ Mac ] fast/overflow/overflow-height-float-not-removed-crash3.html [ Failure Pass ]\n\ncrbug.com/670024 external/wpt/webmessaging/broadcastchannel/sandbox.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/with-ports/001.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/without-ports/001.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/with-options/broken-origin.html [ Failure ]\n\n# Added 2016-12-12\ncrbug.com/610835 http/tests/security/XFrameOptions/x-frame-options-deny-multiple-clients.html [ Failure Pass ]\n\ncrbug.com/892212 http/tests/wasm/wasm_remote_postMessage_test.https.html [ Failure Pass Timeout ]\n\n# ====== Random order flaky tests from here ======\n# These tests are flaky when run in random order, which is the default on Linux & Mac since since 2016-12-16.\n\ncrbug.com/702837 virtual/text-antialias/aat-morx.html [ Skip ]\n\ncrbug.com/688670 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cue-rendering-after-controls-removed.html [ Failure Pass ]\n\ncrbug.com/849670 http/tests/devtools/service-workers/service-worker-v8-cache.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/overflow-scroll-animates.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/overflow-scroll-root-frame-animates.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/horizontal-smooth-scroll-in-rtl.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/main-thread-scrolling-reason-added.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-anchors.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-vertical-rl-anchors.html [ Skip ]\n\ncrbug.com/900431 [ Mac ] css3/blending/mix-blend-mode-isolated-group-1.html [ Failure Pass ]\ncrbug.com/900431 [ Mac ] css3/blending/mix-blend-mode-isolated-group-3.html [ Failure Pass ]\n\n# ====== Random order flaky tests end here ======\n\n# ====== Tests from enabling .any.js/.worker.js tests begin here ======\ncrbug.com/709227 external/wpt/console/console-time-label-conversion.any.html [ Failure ]\ncrbug.com/709227 external/wpt/console/console-time-label-conversion.any.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/browsers/history/the-location-interface/per-global.window.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.arc.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.closed.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.curve.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.line.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.rect.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.create2.nonfinite.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.get.nonfinite.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.put.nonfinite.worker.html [ Failure ]\n\n# ====== Tests from enabling .any.js/.worker.js tests end here ========\n\ncrbug.com/789139 http/tests/devtools/sources/debugger/live-edit-no-reveal.js [ Crash Failure Pass Skip Timeout ]\n\n# ====== Begin of display: contents tests ======\n\ncrbug.com/181374 external/wpt/css/css-display/display-contents-dynamic-table-001-inline.html [ Failure ]\n\n# ====== End of display: contents tests ======\n\n# ====== Begin of other css-display tests ======\n\ncrbug.com/995106 external/wpt/css/css-display/display-flow-root-list-item-001.html [ Failure ]\n\n# ====== End of other css-display tests ======\n\ncrbug.com/930297 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/utf-16be.html?include=workers [ Skip Timeout ]\ncrbug.com/930297 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/utf-16le.html?include=workers [ Skip Timeout ]\n\ncrbug.com/676229 plugins/mouse-click-plugin-clears-selection.html [ Failure Pass ]\ncrbug.com/742670 plugins/iframe-plugin-bgcolor.html [ Failure Pass ]\ncrbug.com/780398 [ Mac ] plugins/mouse-capture-inside-shadow.html [ Failure Pass ]\n\ncrbug.com/678493 http/tests/permissions/chromium/test-request-window.html [ Pass Skip Timeout ]\n\ncrbug.com/689781 external/wpt/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/689781 [ Win ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/689781 [ Mac ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\n\ncrbug.com/681468 [ Win ] virtual/scalefactor150/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\ncrbug.com/681468 [ Win ] virtual/scalefactor200withzoom/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\ncrbug.com/681468 [ Win ] virtual/scalefactor200/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\n\ncrbug.com/1157857 virtual/percent-based-scrolling/max-percent-delta-cross-origin-iframes.html [ Failure Pass Timeout ]\n\ncrbug.com/683800 [ Debug Win7 ] external/wpt/selection/* [ Failure Pass ]\n\ncrbug.com/716320 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/broadcastchannel-success-and-failure.https.html [ Failure Timeout ]\n\n# Test timing out when SharedArrayBuffer is disabled by default.\n# See https://crbug.com/1194557\ncrbug.com/1194557 http/tests/devtools/sources/debugger-breakpoints/set-breakpoint-while-blocking-main-thread.js [ Skip Timeout ]\ncrbug.com/1194557 virtual/shared_array_buffer_on_desktop/http/tests/devtools/sources/debugger-breakpoints/set-breakpoint-while-blocking-main-thread.js [ Pass ]\n\n# Test output varies depending on the bot. A single expectation file doesn't\n# work.\ncrbug.com/1194557 fast/beacon/beacon-basic.html [ Failure Pass ]\ncrbug.com/1194557 virtual/shared_array_buffer_on_desktop/fast/beacon/beacon-basic.html [ Pass ]\n\n# This test passes only when the JXL feature is enabled.\ncrbug.com/1161994 http/tests/inspector-protocol/emulation/emulation-set-disabled-image-types-jxl.js [ Failure Pass ]\n\ncrbug.com/874302 external/wpt/wasm/serialization/module/broadcastchannel-success-and-failure.html [ Timeout ]\ncrbug.com/874302 external/wpt/wasm/serialization/module/broadcastchannel-success.html [ Timeout ]\n\ncrbug.com/877286 external/wpt/wasm/serialization/module/no-transferring.html [ Failure ]\n\ncrbug.com/831509 external/wpt/service-workers/service-worker/skip-waiting-installed.https.html [ Failure Pass ]\n\n# Fullscreen tests are failed because of consuming user activation on fullscreen\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-twice-manual.html [ Failure ]\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-two-elements-manual.html [ Failure ]\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-two-iframes-manual.html [ Failure Timeout ]\n\n# snav tests fail because of a DCHECK\ncrbug.com/985520 virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-enter-from-interest-a11y.html [ Crash ]\ncrbug.com/985520 virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-enter-from-interest.html [ Crash ]\n\n# User-Agent is not able to be set on XHR/fetch\ncrbug.com/571722 external/wpt/xhr/preserve-ua-header-on-redirect.htm [ Failure ]\n\n# Sheriff failures 2017-03-10\ncrbug.com/741210 [ Mac ] inspector-protocol/emulation/device-emulation-restore.js [ Failure ]\n\n# Sheriff failures 2017-03-21\ncrbug.com/703518 http/tests/devtools/tracing/worker-js-frames.js [ Failure Pass ]\ncrbug.com/674720 http/tests/loading/preload-img-test.html [ Failure Pass ]\n\n# Sheriff failures 2017-05-11\ncrbug.com/724027 http/tests/security/contentSecurityPolicy/directive-parsing-03.html [ Skip ]\ncrbug.com/724027 http/tests/security/contentSecurityPolicy/source-list-parsing-04.html [ Skip ]\n\n# Sheriff failures 2017-05-16\ncrbug.com/722212 fast/events/pointerevents/mouse-pointer-event-properties.html [ Failure Pass Timeout ]\n# Crashes on win\ncrbug.com/722943 [ Win ] media/audio-repaint.html [ Crash ]\n\n# Sheriff failures 2018-08-15\ncrbug.com/874837 [ Win ] ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure Pass ]\ncrbug.com/874837 [ Linux ] ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure Pass ]\ncrbug.com/874931 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/mousewheel-scroll.html [ Crash Failure Pass ]\ncrbug.com/875003 [ Win ] editing/caret/caret-is-hidden-when-no-focus.html [ Failure Pass ]\n\n# Sheiff failures 2021-04-09\ncrbug.com/1197444 [ Linux ] virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/overlay-scrollbar-over-child-layer-nested-2.html [ Crash Failure Pass ]\n\ncrbug.com/715718 external/wpt/media-source/mediasource-remove.html [ Failure Pass ]\n\n# Feature Policy changes fullscreen behaviour, tests need updating\ncrbug.com/718155 fullscreen/full-screen-restrictions.html [ Failure Skip Timeout ]\n\ncrbug.com/852645 gamepad/full-screen-gamepad.html [ Timeout ]\n\ncrbug.com/1191123 gamepad/gamepad-polling-access.html [ Failure Pass ]\n\n# Feature Policy changes same-origin allowpaymentrequest behaviour, tests need updating\ncrbug.com/718155 payments/payment-request-in-iframe.html [ Failure ]\ncrbug.com/718155 payments/payment-request-in-iframe-nested-not-allowed.html [ Failure ]\n\n# Expect to fail. The test is applicable only when DigitalGoods flag is disabled.\ncrbug.com/1080870 http/tests/payments/payment-request-app-store-billing-mandatory-total.html [ Failure ]\n\n# Layout Tests on Swarming (Windows) - https://crbug.com/717347\ncrbug.com/713094 [ Win ] fast/css/fontfaceset-check-platform-fonts.html [ Failure Pass ]\n\n# Image decode failures due to document destruction.\ncrbug.com/721435 external/wpt/html/semantics/embedded-content/the-img-element/decode/image-decode-iframe.html [ Skip ]\n\n# Sheriff failures 2017-05-23\ncrbug.com/725470 editing/shadow/doubleclick-on-meter-in-shadow-crash.html [ Crash Failure Pass ]\n\n# Sheriff failures 2017-06-14\ncrbug.com/737959 http/tests/misc/object-image-load-outlives-gc-without-crashing.html [ Failure Pass ]\n\ncrbug.com/737959 http/tests/misc/video-poster-image-load-outlives-gc-without-crashing.html [ Crash Failure Pass ]\n\n# module script lacks XHTML support\ncrbug.com/717643 external/wpt/html/semantics/scripting-1/the-script-element/module/module-in-xhtml.xhtml [ Failure ]\n\n# known bug: import() inside set{Timeout,Interval}\n\n# Service worker updates need to handle redirect appropriately.\ncrbug.com/889798 external/wpt/service-workers/service-worker/import-scripts-redirect.https.html [ Skip ]\n\n# Service workers need to handle Clear-Site-Data appropriately.\ncrbug.com/1052641 external/wpt/service-workers/service-worker/unregister-immediately-before-installed.https.html [ Skip ]\ncrbug.com/1052642 external/wpt/service-workers/service-worker/unregister-immediately-during-extendable-events.https.html [ Skip ]\n\n# known bug of SubresourceWebBundles\ncrbug.com/1244483 external/wpt/web-bundle/subresource-loading/link-non-utf8-query-encoding-encoded-src.https.tentative.html [ Failure ]\n\n# Sheriff failures 2017-07-03\ncrbug.com/708994 http/tests/security/cross-frame-mouse-source-capabilities.html [ Pass Skip Timeout ]\ncrbug.com/746128 [ Mac ] media/controls/video-enter-exit-fullscreen-without-hovering-doesnt-show-controls.html [ Failure Pass ]\n\n# Tests failing when enabling new modern media controls\ncrbug.com/831942 media/webkit-media-controls-webkit-appearance.html [ Failure Pass ]\ncrbug.com/832157 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cue-rendering-after-controls-added.html [ Skip ]\ncrbug.com/832169 media/media-controls-fit-properly-while-zoomed.html [ Failure Pass ]\ncrbug.com/832447 media/controls/controls-page-zoom-in.html [ Failure Pass ]\ncrbug.com/832447 media/controls/controls-page-zoom-out.html [ Failure Pass ]\ncrbug.com/849694 [ Mac ] http/tests/media/controls/toggle-class-with-state-source-buffer.html [ Failure Pass ]\n\n# Tests currently failing on Windows when run on Swarming\ncrbug.com/757165 [ Win ] compositing/culling/filter-occlusion-blur.html [ Skip ]\ncrbug.com/757165 [ Win ] css3/blending/mix-blend-mode-with-filters.html [ Skip ]\ncrbug.com/757165 [ Win ] external/wpt/preload/download-resources.html [ Skip ]\ncrbug.com/757165 [ Win ] external/wpt/preload/preload-default-csp.sub.html [ Skip ]\ncrbug.com/757165 [ Win ] fast/forms/file/recover-file-input-in-unposted-form.html [ Skip ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-aligned-not-aligned.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-clipped-overflowed-content.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-container-only-white-space.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-container-white-space.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-date.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-div-scrollable-but-without-focusable-content.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-fully-aligned-horizontally.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-fully-aligned-vertically.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-hidden-iframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-hidden-iframe-zero-size.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-iframe-recursive-offset-parent.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-area-not-focusable.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-area-without-image.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-overlapped-areas.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-simple.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-input.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-multiple-select.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-not-below.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-not-rightof.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-overlapping-elements.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-radio-group.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-radio.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-single-select.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-symmetrically-positioned.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-table-traversal.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-textarea.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-tiny-table-traversal.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-two-elements-one-line.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-unit-overflow-and-scroll-in-direction.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-z-index.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] http/tests/devtools/sources/ui-source-code-metadata.js [ Skip ]\ncrbug.com/757165 [ Win ] http/tests/misc/client-hints-accept-meta-preloader.html [ Skip ]\ncrbug.com/757165 [ Win ] paint/invalidation/filters/filter-repaint-accelerated-child-with-filter-child.html [ Skip ]\ncrbug.com/757165 [ Win ] paint/invalidation/filters/filter-repaint-on-accelerated-layer.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-filter-modified-save-restore.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-filter-modified.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/threaded-no-composited-antialiasing/animations/svg/animated-filter-svg-element.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-clipping.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-image.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-fill-style.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-global-alpha.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-image.html [ Skip ]\n# This is timing out on non-windows platforms, marked as skip on all platforms.\ncrbug.com/757165 virtual/gpu/fast/canvas/canvas-blending-gradient-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-image.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-pattern-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-pattern-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-text.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-transforms.html [ Skip ]\n# This is currently skipped on all OSes due to crbug.com/775957\n#crbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-incremental-repaint.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-scale-drawImage-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-strokeRect-alpha-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/image-object-in-canvas.html [ Skip ]\n\n# Antialiasing error\ncrbug.com/845973 virtual/display-compositor-pixel-dump/fast/canvas/display-compositor-pixel-dump/OffscreenCanvas-opaque-background-compositing.html [ Failure Pass ]\n\n# Some Windows 7 vm images have a timezone-related registry not populated\n# leading this test to fail.\n# https://chromium-review.googlesource.com/c/chromium/src/+/1379250/6\ncrbug.com/856119 [ Win7 ] fast/js/regress/resolved-timezone-defined.html [ Failure Pass ]\n\n# Tests occasionaly timing out (flaky) on WebKit Win7 dbg builder\ncrbug.com/757955 http/tests/devtools/tracing/timeline-paint/layer-tree.js [ Failure Pass Skip Timeout ]\n\n# This test has a fixed number of time which can depend on performance.\n\ncrbug.com/669329 http/tests/devtools/tracing/timeline-js/timeline-runtime-stats.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/769347 [ Mac ] fast/dom/inert/inert-node-is-uneditable.html [ Failure ]\n\ncrbug.com/769056 virtual/text-antialias/emoji-web-font.html [ Failure ]\ncrbug.com/1159689 [ Mac ] virtual/text-antialias/emoticons.html [ Failure Pass ]\n\ncrbug.com/770232 [ Win10.20h2 ] virtual/text-antialias/hyphenate-character.html [ Failure ]\n\n# Editing commands incorrectly assume no plain text length change after formatting text.\ncrbug.com/764489 editing/execCommand/format-block-multiple-paragraphs.html [ Failure ]\ncrbug.com/764489 editing/execCommand/format-block-multiple-paragraphs-in-pre.html [ Failure ]\n\n# Previous/NextWordPosition crossing editing boundaries.\ncrbug.com/900060 editing/selection/mixed-editability-8.html [ Failure ]\n\n# Sheriff failure 2017-09-18\ncrbug.com/766404 [ Mac ] plugins/keyboard-events.html [ Failure Pass ]\n\n# Layout test corrupted after Skia rect tessellation change due to apparent SwiftShader bug.\n# This was previously skipped on Windows in the section for crbug.com/757165\ncrbug.com/775957 virtual/gpu/fast/canvas/canvas-incremental-repaint.html [ Skip ]\n\n# Sheriff failures 2017-09-21\ncrbug.com/767469 http/tests/navigation/start-load-during-provisional-loader-detach.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-02\ncrbug.com/770971 [ Win7 ] fast/forms/suggested-value.html [ Failure Pass ]\ncrbug.com/771492 external/wpt/css/css-tables/table-model-fixup-2.html [ Failure ]\n\ncrbug.com/807191 fast/media/mq-color-gamut-picture.html [ Failure Pass Skip Timeout ]\n\n# Text rendering on Win7 failing image diffs, flakily.\ncrbug.com/773122 [ Win7 ] virtual/text-antialias/international/unicode-bidi-plaintext-in-textarea.html [ Failure Pass ]\ncrbug.com/773122 [ Win7 ] virtual/text-antialias/whitespace/022.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-13\ncrbug.com/774463 [ Debug Win7 ] fast/events/autoscroll-should-not-stop-on-keypress.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-23\ncrbug.com/772411 http/tests/media/autoplay-crossorigin.html [ Failure Pass Timeout ]\n\n# Sheriff failures 2017-10-24\ncrbug.com/773122 crbug.com/777813 [ Win ] virtual/text-antialias/font-ascent-mac.html [ Failure Pass ]\n\n# Cookie Store API\ncrbug.com/827231 [ Win ] external/wpt/cookie-store/change_eventhandler_for_document_cookie.tentative.https.window.html [ Failure Pass Timeout ]\n\n# The \"Lax+POST\" or lax-allowing-unsafe intervention for SameSite-by-default\n# cookies causes POST tests to fail.\ncrbug.com/990439 external/wpt/cookies/samesite/form-post-blank.https.html [ Failure ]\ncrbug.com/843945 external/wpt/cookies/samesite/form-post-blank-reload.https.html [ Failure ]\ncrbug.com/990439 http/tests/cookies/same-site/popup-cross-site-post.https.html [ Failure ]\n\n# Flaky Windows-only content_shell crash\ncrbug.com/1162205 [ Win ] virtual/schemeful-same-site/external/wpt/cookies/attributes/path-redirect.html [ Crash Pass ]\ncrbug.com/1162205 [ Win ] external/wpt/cookies/attributes/path-redirect.html [ Crash Pass ]\n\n# Temporarily disable failing cookie control character tests until we implement\n# the latest spec changes. Specifically, 0x00, 0x0d and 0x0a should cause\n# cookie rejection instead of truncation, and the tab character should be\n# treated as a valid character.\ncrbug.com/1233602 external/wpt/cookies/attributes/attributes-ctl.sub.html [ Failure ]\ncrbug.com/1233602 external/wpt/cookies/name/name-ctl.html [ Failure ]\ncrbug.com/1233602 external/wpt/cookies/value/value-ctl.html [ Failure ]\n\n# The virtual tests run with Schemeful Same-Site disabled. These should fail to ensure the disabled feature code paths work.\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-websockets.sub.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-iframe-subresource.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-subresource.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-navigation.tentative.html [ Failure ]\n\n# These tests fail with Schemeful Same-Site due to their cross-schemeness. Skip them until there's a more permanent solution.\ncrbug.com/1141909 external/wpt/websockets/cookies/001.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/002.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/003.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/005.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/007.html?wss [ Skip ]\n\n# Sheriff failures 2017-12-04\ncrbug.com/667560 http/tests/devtools/elements/styles-4/inline-style-sourcemap.js [ Failure Pass ]\n\n# Double tap on modern media controls is a bit more complicated on Mac but\n# since we are not targeting Mac yet we can come back and fix this later.\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-backwards.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-forwards.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-forwards-too-short.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-on-play-button.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-toggle-fullscreen.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/click-anywhere-to-play-pause.html [ Skip ]\n\n# Seen flaky on Linux, suppressing on Windows as well\ncrbug.com/831720 [ Win ] media/controls/doubletap-to-jump-forwards-too-short.html [ Failure Pass ]\ncrbug.com/831720 [ Linux ] media/controls/doubletap-to-jump-forwards-too-short.html [ Failure Pass ]\ncrbug.com/831720 media/controls/tap-to-hide-controls.html [ Failure Pass ]\n\n# These tests require Unified Autoplay.\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-allowed-by-feature-policy-attribute-redirect-on-load.https.sub.html [ Skip ]\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-default-feature-policy.https.sub.html [ Skip ]\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-disabled-by-feature-policy.https.sub.html [ Skip ]\n\n# Does not work on Mac\ncrbug.com/793771 [ Mac ] media/controls/scrubbing.html [ Skip ]\n\n# Different paths may have different anti-aliasing pixels 2018-02-21\nskbug.com/7641 external/wpt/css/css-paint-api/paint2d-paths.https.html [ Failure Pass ]\n\n# Sheriff failures 2018-01-25\n# Flaking on Linux Tests, WebKit Linux Trusty (also ASAN, Leak)\ncrbug.com/805794 [ Linux ] virtual/android/url-bar/bottom-fixed-adjusted-when-showing-url-bar.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-05\ncrbug.com/809152 netinfo/estimate-multiple-frames.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-20\ncrbug.com/789921 media/controls/repaint-on-resize.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-21\ncrbug.com/814585 [ Linux ] fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-cjk.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-22\ncrbug.com/814889 idle-callback/test-runner-run-idle-tasks.html [ Crash Pass Timeout ]\ncrbug.com/814953 fast/replaced/no-focus-ring-iframe.html [ Failure Pass ]\ncrbug.com/814964 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-border-radius.html [ Failure Pass ]\n\n# These pass on bots with proprietary codecs (most CQ bots) while failing on bots without.\ncrbug.com/807110 external/wpt/html/semantics/embedded-content/media-elements/mime-types/canPlayType.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-addsourcebuffer.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-buffered.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-a-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-audio-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-framesize.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-video-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-bitrate.html [ Failure Pass Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-framerate.html [ Failure Pass Skip Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-framesize.html [ Failure Pass ]\n# Failure and Pass for crbug.com/807110 and Timeout for crbug.com/727252.\ncrbug.com/727252 external/wpt/media-source/mediasource-endofstream.html [ Failure Pass Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-is-type-supported.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-sequencemode-append-buffer.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-sourcebuffer-mode-timestamps.html [ Failure Pass ]\ncrbug.com/794338 media/video-rotation.html [ Failure Pass ]\ncrbug.com/811605 media/video-poster-after-loadedmetadata.html [ Failure Pass ]\n\n# MHT works only when loaded from local FS (file://..).\ncrbug.com/778467 [ Fuchsia ] mhtml/mhtml_in_iframe.html [ Failure ]\n\n# These tests timeout when using Scenic ozone platform.\ncrbug.com/1067477 [ Fuchsia ] fast/media/matchmedium-query-api.html [ Skip ]\ncrbug.com/1067477 [ Fuchsia ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Skip ]\n\n# These tests are flaky when using Scenic ozone platform.\ncrbug.com/1047480 [ Fuchsia ] css3/calc/reflection-computed-style.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] external/wpt/web-animations/interfaces/Animation/ready.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] fast/block/float/floats-with-margin-should-not-wrap.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] fast/block/margin-collapse/clear-nested-float-more-than-one-previous-sibling-away.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] virtual/gpu-rasterization/images/drag-image-descendant-painting-sibling.html [ Failure Pass ]\n\n### See crbug.com/891427 comment near the top of this file:\n###crbug.com/816914 [ Mac ] fast/canvas/canvas-drawImage-live-video.html [ Failure Pass ]\ncrbug.com/817167 http/tests/devtools/oopif/oopif-cookies-refresh.js [ Failure Pass Skip Timeout ]\n\n# Disable temporarily on Win7, will remove them when they are not flaky.\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\n\n# Sheriff 2018-03-02\ncrbug.com/818076 http/tests/devtools/oopif/oopif-elements-navigate-in.js [ Failure Pass ]\n\n# Sheriff 2018-03-05\ncrbug.com/818650 [ Linux ] wpt_internal/speech/scripted/speechrecognition-restart-onend.html [ Crash Pass ]\n\n# Prefetching Signed Exchange DevTools tests are flaky.\ncrbug.com/851363 http/tests/devtools/sxg/sxg-prefetch-fail.js [ Failure Pass ]\ncrbug.com/851363 http/tests/devtools/sxg/sxg-prefetch.js [ Failure Pass ]\n\n# Sheriff 2018-03-22\ncrbug.com/824775 media/controls/video-controls-with-cast-rendering.html [ Failure Pass ]\ncrbug.com/824848 external/wpt/html/semantics/links/following-hyperlinks/activation-behavior.window.html [ Failure Pass ]\n\n# Sheriff 2018-03-26\ncrbug.com/825733 [ Win ] media/color-profile-video-seek-filter.html [ Failure Pass Skip Timeout ]\ncrbug.com/754986 media/video-transformed.html [ Failure Pass ]\n\n# Sheriff 2018-03-29\ncrbug.com/827209 [ Win ] fast/events/middleClickAutoscroll-latching.html [ Failure Pass Timeout ]\ncrbug.com/827209 [ Linux ] fast/events/middleClickAutoscroll-latching.html [ Failure Pass Timeout ]\n\n# Utility for manual testing, not intended to be run as part of layout tests.\ncrbug.com/785955 http/tests/credentialmanager/tools/virtual-authenticator-environment-manual.html [ Skip ]\n\n# Sheriff 2018-04-11\ncrbug.com/831796 fast/events/autoscroll-in-textfield.html [ Failure Pass ]\n\n# First party DevTools issues only work in the first-party-sets virtual suite\ncrbug.com/1179186 http/tests/inspector-protocol/network/blocked-cookie-same-party-issue.js [ Skip ]\ncrbug.com/1179186 http/tests/inspector-protocol/network/blocked-setcookie-same-party-cross-party-issue.js [ Skip ]\ncrbug.com/1179186 virtual/first-party-sets/http/tests/inspector-protocol/network/blocked-cookie-same-party-issue.js [ Pass ]\ncrbug.com/1179186 virtual/first-party-sets/http/tests/inspector-protocol/network/blocked-setcookie-same-party-cross-party-issue.js [ Pass ]\n\n# Sheriff 2018-04-13\ncrbug.com/833655 [ Linux ] media/controls/closed-captions-dynamic-update.html [ Skip ]\ncrbug.com/833658 media/video-controls-focus-movement-on-hide.html [ Failure Pass ]\n\n# Sheriff 2018-05-22\ncrbug.com/845610 [ Win ] http/tests/inspector-protocol/target/target-browser-context.js [ Failure Pass ]\n\n# Sheriff 2018-05-28\n# Merged failing devtools/editor tests.\n### See crbug.com/891427 comment near the top of this file:\ncrbug.com/749738 http/tests/devtools/editor/text-editor-word-jumps.js [ Pass Skip Timeout ]\ncrbug.com/846997 http/tests/devtools/editor/text-editor-ctrl-d-1.js [ Pass Skip Timeout ]\ncrbug.com/846982 http/tests/devtools/editor/text-editor-formatter.js [ Pass Skip Timeout ]\n###crbug.com/847114 [ Linux ] http/tests/devtools/tracing/decode-resize.js [ Pass Failure ]\n###crbug.com/847114 [ Linux ] virtual/threaded/http/tests/devtools/tracing/decode-resize.js [ Pass Failure ]\n\ncrbug.com/843135 virtual/gpu/fast/canvas/canvas-arc-circumference-fill.html [ Failure Pass ]\n\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-arc-circumference.html [ Failure ]\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-ellipse-circumference-fill.html [ Failure ]\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-ellipse-circumference.html [ Failure ]\n\n# Sheriff 2018-05-31\ncrbug.com/848398 http/tests/devtools/oopif/oopif-performance-cpu-profiles.js [ Failure Pass Skip Timeout ]\n\n# Flakes 2018-06-02\ncrbug.com/841567 fast/scrolling/scrollbar-tickmarks-hittest.html [ Failure Pass ]\n\n# Flakes 2018-06-04\n\n# Sheriff 2018-06-07\ncrbug.com/850358 http/tests/devtools/editor/text-editor-enter-behaviour.js [ Failure Pass Skip Timeout ]\ncrbug.com/849978 http/tests/devtools/elements/styles-4/stylesheet-source-url-comment.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/854538 [ Win7 ] http/tests/security/contentSecurityPolicy/1.1/form-action-src-default-ignored-with-redirect.html [ Skip ]\n\n# User Activation\ncrbug.com/736415 crbug.com/1066190 external/wpt/html/user-activation/navigation-state-reset-crossorigin.sub.tentative.html [ Failure Timeout ]\ncrbug.com/736415 external/wpt/html/user-activation/navigation-state-reset-sameorigin.tentative.html [ Failure ]\n\n# Sheriff 2018-07-05\ncrbug.com/861682 [ Win ] external/wpt/css/mediaqueries/device-aspect-ratio-003.html [ Failure Pass ]\n\n# S13N Sheriff 2018-7-11\ncrbug.com/862643 http/tests/serviceworker/navigation_preload/use-counter.html [ Failure Pass ]\n\n# Sheriff 2018-07-30\ncrbug.com/868706 external/wpt/css/css-layout-api/auto-block-size-inflow.https.html [ Failure Pass ]\n\n# Sheriff 2018-08-01\ncrbug.com/869773 http/tests/misc/window-dot-stop.html [ Failure Pass ]\n\ncrbug.com/873873 external/wpt/service-workers/service-worker/fetch-canvas-tainting-video.https.html [ Pass Skip Timeout ]\ncrbug.com/873873 external/wpt/service-workers/service-worker/fetch-canvas-tainting-video-cache.https.html [ Pass Skip Timeout ]\n\ncrbug.com/875884 [ Linux ] lifecycle/background-change-lifecycle-count.html [ Failure Pass ]\ncrbug.com/875884 [ Win ] lifecycle/background-change-lifecycle-count.html [ Failure Pass ]\n\n# Broken when smooth scrolling was enabled in Mac web tests (real failure)\ncrbug.com/1044137 [ Mac ] fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\n\n# Sheriff 2018-08-20\ncrbug.com/862589 virtual/threaded/fast/idle-callback/long_idle_periods.html [ Pass Skip Timeout ]\n\n# fast/events/middleClickAutoscroll-* are failing on Mac\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-click-hyperlink.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-click.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-drag.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-event-fired.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-in-iframe.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-latching.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-modal-scrollable-iframe-div.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-nested-divs-forbidden.html [ Skip ]\n# The next also fails due to crbug.com/891427, thus disabled on all platforms.\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-nested-divs.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/selection-autoscroll-borderbelt.html [ Skip ]\n\ncrbug.com/1198842 [ Linux ] virtual/scroll-unification/fast/events/selection-autoscroll-borderbelt.html [ Pass Timeout ]\n\n# Passes in threaded mode, fails without it. This is a real bug.\ncrbug.com/1112183 fast/scrolling/autoscroll-iframe-no-scrolling.html [ Failure ]\n\n# Sheriff 2018-09-10\ncrbug.com/881207 fast/js/regress/splice-to-remove.html [ Pass Timeout ]\n\ncrbug.com/882689 http/tests/security/cookies/third-party-cookie-blocking-worker.html [ Failure Pass ]\n\n# Sheriff 2018-09-19\ncrbug.com/662010 [ Win7 ] http/tests/csspaint/invalidation-background-image.html [ Skip ]\n\n# Sheriff 2018-10-15\ncrbug.com/895257 [ Mac ] external/wpt/css/css-fonts/variations/at-font-face-font-matching.html [ Failure Pass ]\n\n#Sheriff 2018-10-23\ncrbug.com/898378 [ Mac10.13 ] fast/scroll-behavior/smooth-scroll/keyboard-scroll.html [ Timeout ]\n\n# Sheriff 2018-10-29\ncrbug.com/766357 [ Win ] virtual/threaded-prefer-compositing/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure Pass ]\n\n# ecosystem-infra sheriff 2018-11-02, 2019-03-18\ncrbug.com/901271 external/wpt/dom/events/Event-dispatch-on-disabled-elements.html [ Failure Pass Skip Timeout ]\n\n# Test is flaky under load\ncrbug.com/904389 http/tests/preload/delaying_onload_link_preload_after_discovery.html [ Failure Pass ]\n\n# Flaky crash due to \"bad mojo message\".\ncrbug.com/906952 editing/pasteboard/file-drag-to-editable.html [ Crash Pass ]\n\n#Sheriff 2018-11-22\ncrbug.com/907862 [ Mac10.13 ] gamepad/multiple-event-listeners.html [ Failure Pass ]\n\n# Sheriff 2018-11-26\ncrbug.com/908347 media/autoplay/webaudio-audio-context-resume.html [ Failure Pass ]\n\n#Sheriff 2018-12-04\ncrbug.com/911515 [ Mac ] transforms/shadows.html [ Failure Pass ]\ncrbug.com/911782 [ Mac ] paint/invalidation/forms/submit-focus-by-mouse-then-keydown.html [ Failure Pass ]\n\n# Sheriff 2018-12-06\ncrbug.com/912793 crbug.com/899087 virtual/android/fullscreen/full-screen-iframe-allowed-video.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2018-12-07\ncrbug.com/912821 http/tests/devtools/tracing/user-timing.js [ Skip ]\n\n# Sheriff 2018-12-13\ncrbug.com/910452 media/controls/buttons-after-reset.html [ Failure Pass ]\n\n# Update 2020-06-01: flaky on all platforms.\ncrbug.com/914782 fast/scrolling/no-hover-during-scroll.html [ Failure Pass ]\n\ncrbug.com/919272 external/wpt/resource-timing/resource-timing.html [ Skip ]\n\n# Sheriff 2019-01-03\ncrbug.com/918905 external/wpt/css/css-sizing/block-size-with-min-or-max-content-table-1b.html [ Failure Pass ]\n\n# Android doesn't support H264/AVC1 encoding.\n# Some other bots are built without H264/AVC1 encoding support.\ncrbug.com/719023 fast/mediarecorder/MediaRecorder-isTypeSupported-avc1.html [ Failure Pass ]\ncrbug.com/719023 media_capabilities/encodingInfo-avc1.html [ Failure Pass ]\n\n# Sheriff 2019-01-07\ncrbug.com/919587 [ Linux ] virtual/threaded/fast/idle-callback/idle_periods.html [ Failure Pass ]\n\n# WebRTC Plan B\ncrbug.com/920979 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCTrackEvent-fire.html [ Timeout ]\n\n# Mac doesn't support lowLatency/desynchronized Canvas Contexts.\ncrbug.com/922218 [ Mac ] fast/canvas-api/canvas-lowlatency-getContext.html [ Failure ]\n\n# Sheriff 2019-01-14\ncrbug.com/921583 http/tests/preload/meta-viewport-link-headers.html [ Failure Pass ]\n\n# These fail (some time out, some are flaky, etc.) when landing valid changes to Mojo bindings\n# dispatch timing. Many of them seem to fail for different reasons, but pretty consistently in most\n# cases it seems like a problem around test expectation timing rather than real bugs affecting\n# production code. Because such timing bugs are relatively common in tests and it would thus be very\n# difficult to land the dispatch change without some temporary breakage, these tests are disabled\ncrbug.com/922951 fast/css/pseudo-hover-active-display-none.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 fast/forms/number/number-input-event-composed.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/cache/subresource-fragment-identifier.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/devtools/tracing/timeline-network-received-data.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 http/tests/history/back-to-post.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/security/cookies/basic.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/webaudio/autoplay-crossorigin.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 media/controls/overflow-menu-hide-on-click-outside-stoppropagation.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 virtual/prefer_compositing_to_lcd_text/scrollbars/resize-scales-with-dpi-150.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 [ Linux ] virtual/scalefactor150/fast/events/synthetic-events/tap-on-scaled-screen.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 [ Win ] virtual/scalefactor150/fast/events/synthetic-events/tap-on-scaled-screen.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/frame-model-instrumentation.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-layout/timeline-layout-reason.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-misc/timeline-record-reload.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-layout/timeline-layout-with-invalidations.js [ Crash Failure Pass Skip Timeout ]\n\n# Flaky devtools test for recalculating styles.\ncrbug.com/1018177 http/tests/devtools/tracing/timeline-style/timeline-recalculate-styles.js [ Failure Pass ]\n\n# Race: The RTCIceConnectionState can become \"connected\" before getStats()\n# returns candidate-pair whose state is \"succeeded\", this sounds like a\n# contradiction.\n\n# This test is not intended to pass on Plan B.\ncrbug.com/740501 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-onnegotiationneeded.html [ Failure Pass Timeout ]\n\ncrbug.com/910979 http/tests/html/validation-bubble-oopif-clip.html [ Failure Pass ]\n\n# Sheriff 2019-02-01, 2019-02-19\n# These are crashy on Win10, and seem to leave processes lying around, causing the swarming\n# task to hang.\n\n# Recently became flaky on multiple platforms (Linux and Windows primarily)\ncrbug.com/927769 fast/webgl/OffscreenCanvas-webgl-preserveDrawingBuffer.html [ Skip ]\n\n# Flaky test.\ncrbug.com/1084378 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_remove_cue_while_paused.html [ Failure Pass ]\n\n# Sheriff 2019-02-12\ncrbug.com/1072768 media/video-played-ranges-1.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-02-13\ncrbug.com/931646 [ Win7 ] http/tests/preload/meta-viewport-link-headers-imagesrcset.html [ Failure Pass ]\n\n# These started failing when network service was enabled by default.\ncrbug.com/933880 external/wpt/service-workers/service-worker/request-end-to-end.https.html [ Failure ]\ncrbug.com/933880 http/tests/inspector-protocol/network/xhr-interception-auth-fail.js [ Failure ]\n# This passes in content_shell but not in chrome with network service disabled,\n# because content_shell does not add the about: handler. With network service\n# enabled this fails in both content_shell and chrome.\ncrbug.com/933880 http/tests/misc/redirect-to-about-blank.html [ Failure Timeout ]\n\n# Sheriff 2019-02-22\ncrbug.com/934636 http/tests/security/cross-origin-indexeddb-allowed.html [ Crash Pass ]\ncrbug.com/934818 http/tests/devtools/tracing/decode-resize.js [ Failure Pass ]\n\n# Sheriff 2019-02-26\ncrbug.com/936165 media/autoplay-muted.html [ Pass Skip Timeout ]\n\n# Sheriff 2019-02-28\ncrbug.com/936827 external/wpt/fullscreen/api/element-request-fullscreen-and-remove-manual.html [ Failure Pass ]\n\n# Paint Timing failures\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-gradient.html [ Failure ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-invisible-3d-rotate-descendant.html [ Failure Timeout ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-invisible-3d-rotate.html [ Failure ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-text-input.html [ Failure ]\n\n# Also crbug.com/1044535\ncrbug.com/937416 http/tests/devtools/resource-tree/resource-tree-frame-navigate.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-03-04\n# Also crbug.com/1044418\ncrbug.com/937811 [ Linux Release ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-2.js [ Failure Pass Skip Timeout ]\ncrbug.com/937811 [ Linux Release ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-3.js [ Failure Pass ]\ncrbug.com/937811 [ Release Win ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-2.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-03-05\ncrbug.com/938200 http/tests/devtools/network/network-blocked-reason.js [ Pass Skip Timeout ]\n\n# Caused a revert of a good change.\ncrbug.com/931533 media/video-played-collapse.html [ Failure Pass ]\n\n# Sheriff 2019-03-14\ncrbug.com/806357 virtual/threaded/fast/events/pointerevents/pinch/pointerevent_touch-action-pinch_zoom_touch.html [ Crash Failure Pass Timeout ]\n\n# Trooper 2019-03-19\ncrbug.com/943388 [ Win ] http/tests/devtools/network/network-recording-after-reload-with-screenshots-enabled.js [ Failure Pass ]\n\n# Sheriff 2019-03-20\ncrbug.com/943969 [ Win ] inspector-protocol/css/css-get-media-queries.js [ Failure Pass ]\n\n# Sheriff 2019-03-25\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-add-new-rule-tab.js [ Failure Pass ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-add-new-rule.js [ Failure Pass Skip Timeout ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-disable-inherited.js [ Failure Pass ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-change-node-while-editing.js [ Failure Pass ]\n\n# Tests using testRunner.useUnfortunateSynchronousResizeMode occasionally timeout,\n# but the test coverage is still good.\ncrbug.com/919789 css3/viewport-percentage-lengths/viewport-percentage-lengths-resize.html [ Pass Timeout ]\ncrbug.com/919789 compositing/transitions/transform-on-large-layer-expected.html [ Pass Timeout ]\ncrbug.com/919789 fast/autoresize/turn-off-autoresize.html [ Pass Timeout ]\ncrbug.com/919789 fast/autoresize/basic.html [ Pass Timeout ]\ncrbug.com/919789 fast/dom/viewport/resize-event-fired-window-resized.html [ Pass Timeout ]\ncrbug.com/919789 fast/dom/Window/window-resize-contents.html [ Pass Timeout ]\ncrbug.com/919789 fast/events/resize-events-count.html [ Pass Timeout ]\ncrbug.com/919789 virtual/text-antialias/line-break-between-text-nodes-with-inline-blocks.html [ Pass Timeout ]\ncrbug.com/919789 media/controls/overflow-menu-hide-on-resize.html [ Pass Timeout ]\ncrbug.com/919789 [ Linux ] paint/invalidation/resize-iframe-text.html [ Pass Timeout ]\ncrbug.com/919789 [ Mac10.13 ] paint/invalidation/resize-iframe-text.html [ Pass Timeout ]\ncrbug.com/919789 paint/invalidation/scroll/scrollbar-damage-and-full-viewport-repaint.html [ Pass Timeout ]\ncrbug.com/919789 paint/invalidation/window-resize/* [ Pass Timeout ]\n\ncrbug.com/1021627 fast/dom/rtl-scroll-to-leftmost-and-resize.html [ Failure Pass Timeout ]\ncrbug.com/1130876 fast/dynamic/window-resize-scrollbars-test.html [ Failure Pass ]\n\n# Sheriff 2019-03-28\ncrbug.com/946890 external/wpt/html/semantics/embedded-content/media-elements/location-of-the-media-resource/currentSrc.html [ Crash Failure Pass ]\ncrbug.com/946711 [ Release ] http/tests/devtools/editor/text-editor-search-switch-editor.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/946712 [ Release ] http/tests/devtools/elements/styles-2/paste-property.js [ Crash Pass Skip Timeout ]\n\n### external/wpt/fetch/sec-metadata/\ncrbug.com/947023 external/wpt/fetch/sec-metadata/font.tentative.https.sub.html [ Failure Pass ]\n\n# Sheriff 2019-04-02\ncrbug.com/947690 [ Debug ] http/tests/history/back-during-beforeunload.html [ Failure Pass ]\n\n# Sheriff 2019-04-09\ncrbug.com/946335 [ Linux ] fast/filesystem/file-writer-abort-depth.html [ Crash Pass ]\ncrbug.com/946335 [ Mac ] fast/filesystem/file-writer-abort-depth.html [ Crash Pass ]\n\n# The postMessage() calls intended to complete the test are blocked due to being\n# cross-origin between the portal and the host..\ncrbug.com/1220891 virtual/portals/external/wpt/portals/csp/frame-src.sub.html [ Timeout ]\n\n# Sheriff 2019-04-17\ncrbug.com/953591 [ Win ] fast/forms/datalist/input-appearance-range-with-transform.html [ Failure Pass ]\ncrbug.com/953591 [ Win ] transforms/matrix-02.html [ Failure Pass ]\ncrbug.com/938884 http/tests/devtools/elements/styles-3/styles-add-blank-property.js [ Pass Skip Timeout ]\n\n# Sheriff 2019-04-30\ncrbug.com/948785 [ Debug ] fast/events/pointerevents/pointer-event-consumed-touchstart-in-slop-region.html [ Failure Pass ]\n\n# Sheriff 2019-05-01\ncrbug.com/958347 [ Linux ] external/wpt/editing/run/removeformat.html [ Crash Pass ]\ncrbug.com/958426 [ Mac10.13 ] virtual/text-antialias/line-break-ascii.html [ Pass Timeout ]\n\n# This test might need to be removed.\ncrbug.com/954349 fast/forms/autofocus-in-sandbox-with-allow-scripts.html [ Timeout ]\n\n# Sheriff 2019-05-11\ncrbug.com/962139 [ Debug Linux ] external/wpt/html/infrastructure/urls/dynamic-changes-to-base-urls/dynamic-urls.sub.html [ Crash Pass ]\ncrbug.com/962139 [ Debug Linux ] external/wpt/html/infrastructure/urls/dynamic-changes-to-base-urls/historical.sub.xhtml [ Crash Pass ]\n\n# Sheriff 2019-05-13\ncrbug.com/865432 [ Linux ] external/wpt/workers/modules/dedicated-worker-import-blob-url.any.worker.html [ Pass Timeout ]\ncrbug.com/867532 [ Linux ] external/wpt/workers/modules/dedicated-worker-import-data-url.any.worker.html [ Pass Timeout ]\ncrbug.com/867532 [ Linux ] external/wpt/workers/modules/dedicated-worker-import.any.worker.html [ Pass Timeout ]\n\n# Sheriff 2020-05-18\ncrbug.com/988248 media/track/track-cue-rendering-position-auto.html [ Failure Pass ]\n\n# Flaky test on all platforms.\ncrbug.com/988248 media/track/track-cue-rendering-position-auto-rtl.html [ Failure Pass ]\n\n# Failing because of revert of If931c1faff528a87d8a78808f30225ebe2377072.\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_tracks.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/3_tracks.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre-line_wrapped.html [ Failure ]\n\n# Sheriff 2019-06-04\ncrbug.com/970135 [ Mac ] virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-interested-element-indicated.html [ Failure ]\ncrbug.com/970334 [ Mac ] fast/spatial-navigation/snav-tiny-table-traversal.html [ Failure ]\ncrbug.com/970142 http/tests/security/mixedContent/insecure-css-resources.html [ Failure ]\n\n# Sheriff 2019-06-05\ncrbug.com/971259 media/controls/volumechange-stopimmediatepropagation.html [ Failure Pass ]\n\ncrbug.com/974710 [ Win7 ] http/tests/security/isolatedWorld/bypass-main-world-csp-iframes.html [ Failure Pass ]\n\n# Expected new failures until crbug.com/535738 is fixed. The failures also vary\n# based on codecs in build config, so just marking failure here instead of\n# specific expected text results.\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-implicit.html [ Failure ]\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-negative.html [ Failure ]\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-without-codecs-parameter.html [ Failure ]\n\n# Sheriff 2019-06-26\ncrbug.com/978966 [ Mac ] paint/markers/ellipsis-mixed-text-in-ltr-flow-with-markers.html [ Failure Pass ]\n\n# Sheriff 2019-06-27\ncrbug.com/979243 [ Mac ] editing/selection/inline-closest-leaf-child.html [ Failure Pass ]\ncrbug.com/979336 [ Mac ] fast/dynamic/anonymous-block-orphaned-lines.html [ Failure Pass ]\n\n# Sheriff 2019-07-04\ncrbug.com/981267 http/tests/devtools/persistence/persistence-move-breakpoints-on-reload.js [ Failure Pass Skip Timeout ]\n# TODO(crbug.com/980588): reenable once WPT is fixed\ncrbug.com/980588 external/wpt/screen-orientation/lock-unlock-check.html [ Failure Pass ]\n\n# Sheriff 2019-07-18\ncrbug.com/985232 [ Win7 ] external/wpt/html/semantics/scripting-1/the-script-element/module/dynamic-import/dynamic-imports-credentials.sub.html [ Failure Pass ]\n\n# Sheriff 2019-07-24\ncrbug.com/986282 external/wpt/client-hints/accept-ch-lifetime.tentative.https.html [ Failure Pass ]\n\n# Sheriff 2019-07-26\ncrbug.com/874866 [ Debug Linux ] media/controls/doubletap-to-jump-backwards.html [ Failure ]\ncrbug.com/988246 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.serviceworker.html [ Skip ]\ncrbug.com/959129 http/tests/devtools/tracing/timeline-script-parse.js [ Failure Pass ]\n\n# WebRTC tests that fails (by timing out) because `getSynchronizationSources()`\n# on the audio side needs a hardware sink for the returned dictionary entries to\n# get updated.\n#\n# Temporarily replaced by:\n# - WebRtcAudioBrowserTest.EstablishAudioOnlyCallAndVerifyGetSynchronizationSourcesWorks\n# - WebRtcBrowserTest.EstablishVideoOnlyCallAndVerifyGetSynchronizationSourcesWorks\ncrbug.com/988432 external/wpt/webrtc/RTCRtpReceiver-getSynchronizationSources.https.html [ Pass Skip Timeout ]\n\n# Sheriff 2019-07-29\ncrbug.com/937811 [ Release Win ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-3.js [ Failure Pass Skip Timeout ]\n\n# Pending enabling navigation feature\ncrbug.com/705583 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_navigate_history_go_back.html [ Skip ]\ncrbug.com/705583 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_navigate_history_go_forward.html [ Skip ]\n\n# Sheriff 2019-07-31\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-with-shadow.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-all.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-padding.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-with-mask.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-border.html [ Failure ]\n\n# Sheriff 2019-08-01\ncrbug.com/989717 [ Fuchsia ] http/tests/preload/avoid_delaying_onload_link_preload.html [ Failure Pass ]\n\n# Expected failures for forced colors mode tests when the corresponding flags\n# are not enabled.\ncrbug.com/970285 external/wpt/forced-colors-mode/* [ Failure ]\ncrbug.com/970285 virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/* [ Pass ]\n\n# Sheriff 2019-08-14\ncrbug.com/993671 [ Win ] http/tests/media/video-frame-size-change.html [ Failure Pass ]\n\n#Sherrif 2019-08-16\ncrbug.com/994692 [ Linux ] compositing/reflections/nested-reflection-anchor-point.html [ Failure Pass ]\ncrbug.com/994692 [ Win ] compositing/reflections/nested-reflection-anchor-point.html [ Failure Pass ]\n\ncrbug.com/996219 [ Win ] virtual/text-antialias/emoji-vertical-origin-visual.html [ Failure ]\n\n# Sheriff 2019-08-22\ncrbug.com/994008 [ Linux ] http/tests/devtools/elements/styles-3/styles-computed-trace.js [ Failure Pass Skip Timeout ]\ncrbug.com/994008 [ Win ] http/tests/devtools/elements/styles-3/styles-computed-trace.js [ Failure Pass Skip Timeout ]\ncrbug.com/994034 [ Linux ] http/tests/devtools/elements/styles-3/styles-add-new-rule-colon.js [ Failure Pass Skip Timeout ]\ncrbug.com/994034 [ Win ] http/tests/devtools/elements/styles-3/styles-add-new-rule-colon.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/995669 [ Win ] http/tests/media/video-throttled-load-metadata.html [ Crash Failure Pass ]\n\n# Sheriff 2019-08-26\ncrbug.com/997669 [ Win ] http/tests/devtools/search/sources-search-scope-in-files.js [ Crash Pass ]\ncrbug.com/626703 external/wpt/css/css-paint-api/custom-property-animation-on-main-thread.https.html [ Failure Pass ]\n\ncrbug.com/1015130 external/wpt/largest-contentful-paint/first-paint-equals-lcp-text.html [ Failure Pass ]\n\ncrbug.com/1000051 media/controls/volume-slider.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-09-04\ncrbug.com/1000396 [ Win ] media/video-remove-insert-repaints.html [ Failure Pass ]\n\n# Sheriff 2019-09-09\ncrbug.com/1001817 external/wpt/css/css-ui/text-overflow-016.html [ Failure Pass ]\ncrbug.com/1001816 external/wpt/css/css-masking/clip-path/clip-path-inline-003.html [ Failure Pass ]\ncrbug.com/1001814 external/wpt/css/css-masking/clip-path/clip-path-inline-002.html [ Failure Pass ]\n\n# Sheriff 2019-09-10\ncrbug.com/1002527 [ Debug ] virtual/text-antialias/large-text-composed-char.html [ Crash Pass ]\n\n# Tests fail because of missing scroll snap for #target and bugs in scrollIntoView\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-align-001.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-align-002.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-snap-001.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-snap-002.html [ Failure ]\n\n# Sheriff 2019-09-20\ncrbug.com/1005128 crypto/subtle/abandon-crypto-operation2.html [ Crash Pass ]\n\n# Sheriff 2019-09-30\ncrbug.com/1003715 [ Win10.20h2 ] http/tests/notifications/serviceworker-notification-properties.html [ Failure Pass Timeout ]\n\n\n# Sheriff 2019-10-01\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/fallback-traits-fixup.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/international/bold-bengali.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/selection/khmer-selection.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] fast/writing-mode/Kusa-Makura-background-canvas.html [ Failure ]\n\n# Sheriff 2019-10-02\ncrbug.com/1010483 [ Win ] fast/parser/residual-style-dom.html [ Crash Pass ]\ncrbug.com/1010483 [ Win ] fast/parser/residual-style-hang.html [ Crash Pass ]\ncrbug.com/1010483 [ Win ] fast/selectors/specificity-overflow.html [ Crash Pass ]\n\n# Sheriff 2019-10-16\ncrbug.com/1014812 external/wpt/animation-worklet/playback-rate.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-10-18\ncrbug.com/1015975 media/video-currentTime.html [ Failure Pass ]\n\n# Sheriff 2019-10-21\ncrbug.com/1016456 external/wpt/dom/ranges/Range-mutations-dataChange.html [ Crash Pass Skip Timeout ]\n\n# Sheriff 2019-10-30\ncrbug.com/1014810 [ Mac ] virtual/threaded/external/wpt/animation-worklet/stateful-animator.https.html [ Crash Pass Timeout ]\n\n# Temporarily disabled to a breakpoint non-determinism issue.\ncrbug.com/1019613 http/tests/devtools/sources/debugger/debug-inlined-scripts.js [ Failure Pass ]\n\n# First frame not always painted in time\ncrbug.com/1024976 media/controls/paint-controls-webkit-appearance-none-custom-bg.html [ Failure Pass ]\n\n# iframe.freeze plumbing is not hooked up at the moment.\ncrbug.com/907125 external/wpt/lifecycle/freeze.html [ Failure ] # wpt_subtest_failure\ncrbug.com/907125 external/wpt/lifecycle/child-out-of-viewport.tentative.html [ Failure Timeout ]\ncrbug.com/907125 external/wpt/lifecycle/child-display-none.tentative.html [ Failure Timeout ]\ncrbug.com/907125 external/wpt/lifecycle/worker-dispay-none.tentative.html [ Failure Timeout ]\n\n# Sheriff 2019-11-15\ncrbug.com/1025123 external/wpt/longtask-timing/longtask-in-sibling-iframe-crossorigin.html [ Failure Pass ]\ncrbug.com/1025321 [ Win ] http/tests/devtools/tracing/console-timeline.js [ Failure Pass ]\n\n# Timeout media preload test until preloading media destinations gets enabled.\ncrbug.com/977033 http/tests/priorities/resource-load-priorities-media-preload.html [ Timeout ]\n\n# Sheriff 2019-11-26\ncrbug.com/1028684 http/tests/inspector-protocol/animation/animation-release.js [ Failure Pass ]\n\n# Sheriff 2019-11-29\ncrbug.com/1019079 fast/canvas/OffscreenCanvas-placeholder-createImageBitmap.html [ Failure Pass ]\ncrbug.com/1027434 external/wpt/html/browsers/origin/cross-origin-objects/cross-origin-objects.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-12-02\ncrbug.com/1029528 [ Linux ] http/tests/devtools/network/oopif-content.js [ Failure Pass ]\n\ncrbug.com/1031345 media/controls/overlay-play-button-tap-to-hide.html [ Pass Timeout ]\n\n# Temporary SkiaRenderer regressions\ncrbug.com/1029941 [ Linux ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\ncrbug.com/1029941 [ Linux ] transforms/3d/point-mapping/3d-point-mapping-deep.html [ Failure ]\ncrbug.com/1029941 [ Linux ] virtual/exotic-color-space/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure ]\ncrbug.com/1029941 [ Win ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\n\n# Failing document policy tests\ncrbug.com/993790 external/wpt/document-policy/required-policy/separate-document-policies.html [ Failure ]\n\ncrbug.com/1134464 http/tests/images/document-policy/document-policy-oversized-images-edge-cases.php [ Pass Timeout ]\n\n# Skipping because of unimplemented behaviour\ncrbug.com/965495 external/wpt/feature-policy/experimental-features/focus-without-user-activation-enabled-tentative.sub.html [ Skip ]\ncrbug.com/965495 external/wpt/permissions-policy/experimental-features/focus-without-user-activation-enabled-tentative.sub.html [ Skip ]\n\ncrbug.com/834302 external/wpt/permissions-policy/permissions-policy-opaque-origin.https.html [ Failure ]\n\n# Temporary suppression to allow devtools-frontend changes\ncrbug.com/1029489 http/tests/devtools/elements/elements-linkify-attributes.js [ Failure Pass Skip Timeout ]\ncrbug.com/1030258 http/tests/devtools/network/network-cookies-pane.js [ Failure Pass ]\ncrbug.com/1041830 http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile.js [ Failure Pass ]\n\n# Sheriff 2019-12-13\ncrbug.com/1032451 [ Win7 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/idlharness.https.window.html [ Failure Pass ]\ncrbug.com/1033852 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure ]\n\n# Sheriff 2019-12-16\ncrbug.com/1034374 http/tests/devtools/tracing/timeline-worker-events.js [ Failure Pass ]\ncrbug.com/1034513 [ Win7 ] virtual/stable/fast/dom/Window/window-resize-contents.html [ Failure Pass ]\n\n# Assertion errors need to be fixed\ncrbug.com/1034492 http/tests/devtools/unit/filtered-item-selection-dialog-filtering.js [ Failure Pass ]\ncrbug.com/1034492 http/tests/devtools/unit/filtered-list-widget-providers.js [ Failure Pass ]\n\n# Sheriff 2019-12-23\ncrbug.com/1036626 http/tests/devtools/tracing/tracing-record-input-events.js [ Failure Pass ]\n\n# Sheriff 2019-12-27\ncrbug.com/1038091 virtual/gpu-rasterization/images/jpeg-yuv-image-decoding.html [ Failure Pass ]\ncrbug.com/1038139 [ Win ] virtual/gpu-rasterization/images/2-comp.html [ Failure Pass ]\n\n# Sheriff 2020-01-02\ncrbug.com/1038656 [ Mac ] http/tests/devtools/coverage/coverage-view-unused.js [ Failure Pass ]\ncrbug.com/1038656 [ Win ] http/tests/devtools/coverage/coverage-view-unused.js [ Failure Pass ]\n\n# Temporarily disabled to land Linkifier changes in DevTools\ncrbug.com/963183 http/tests/devtools/jump-to-previous-editing-location.js [ Failure Pass ]\n\n# Broken in https://chromium-review.googlesource.com/c/chromium/src/+/1636716\ncrbug.com/963183 http/tests/devtools/sources/debugger-breakpoints/disable-breakpoints.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/836300 fast/css3-text/css3-text-decoration/text-decoration-skip-ink-links.html [ Failure Pass ]\n\n# Sheriff 2020-01-14\ncrbug.com/1041973 external/wpt/html/semantics/forms/constraints/form-validation-reportValidity.html [ Failure Pass ]\n\n# Disable for landing devtools changes\ncrbug.com/1006759 http/tests/devtools/console/argument-hints.js [ Failure Pass ]\n\n# Failing origin trial for css properties test\ncrbug.com/1041993 http/tests/origin_trials/sample-api-script-added-after-css-declaration.html [ Failure ]\n\n# Sheriff 2020-01-20\ncrbug.com/1043357 http/tests/credentialmanager/credentialscontainer-get-with-virtual-authenticator.html [ Failure Pass Timeout ]\n\n# Ref_Tests which fail when SkiaRenderer is enable, and which cannot be\n# rebaselined. TODO(jonross): triage these into any existing bugs or file more\n# specific bugs.\ncrbug.com/1043675 [ Linux ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1043675 [ Linux ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Linux ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Linux ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1043675 [ Linux ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1043675 [ Linux ] http/tests/media/video-frame-size-change.html [ Failure ]\ncrbug.com/1043675 [ Linux ] svg/custom/svg-root-with-opacity.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Win ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1043675 [ Win ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1043675 [ Win ] svg/custom/svg-root-with-opacity.html [ Failure ]\n\n# Required to land DevTools change\ncrbug.com/106759 http/tests/devtools/command-line-api-inspect.js [ Failure Pass ]\ncrbug.com/106759 http/tests/devtools/sources/debugger-console/debugger-command-line-api.js [ Failure Pass ]\n\ncrbug.com/989665 [ Mac ] external/wpt/resource-timing/resource_timing_buffer_full_eventually.html [ Crash Pass ]\ncrbug.com/989665 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/resource_timing_buffer_full_eventually.html [ Crash Pass ]\n\n# Sheriff 2020-01-23\ncrbug.com/1044505 http/tests/devtools/tracing-session-id.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/1046784 http/tests/devtools/oopif/oopif-storage.js [ Failure Pass ]\ncrbug.com/1046784 http/tests/inspector-protocol/service-worker/target-reloaded-after-crash.js [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-28\ncrbug.com/1046201 [ Mac ] fast/forms/calendar-picker/calendar-picker-appearance-zoom125.html [ Failure Pass ]\ncrbug.com/1046440 fast/loader/submit-form-while-parsing-2.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-29\ncrbug.com/995663 [ Linux ] http/tests/media/autoplay/document-user-activation-cross-origin-feature-policy-header.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-30\ncrbug.com/1047208 http/tests/serviceworker/update-served-from-cache.html [ Failure Pass ]\ncrbug.com/1047293 [ Mac ] editing/pasteboard/pasteboard_with_unfocused_selection.html [ Failure Pass ]\n\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-004.tentative.html [ Failure ]\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-005.tentative.html [ Failure ]\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-animated-002.html [ Failure ]\n\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-004.tentative.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-005.tentative.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-animated-002.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/preserve-3d-flat-grouping-properties-containing-block.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-abspos.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-fixpos.html [ Pass ]\ncrbug.com/1008483 [ Fuchsia ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.12 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.13 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.14 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.15 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac11 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Win ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Fuchsia ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.12 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.13 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.14 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.15 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac11 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Win ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/compositing/overflow/scroll-parent-with-non-stacking-context-composited-ancestor.html [ Failure ]\ncrbug.com/1008483 virtual/backface-visibility-interop/paint/invalidation/stacking-context-lost.html [ Failure ]\ncrbug.com/1008483 virtual/backface-visibility-interop/paint/invalidation/multicol/multicol-as-paint-container.html [ Failure ]\n\n# Swiftshader issue.\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-innerwidth.html [ Crash Skip Timeout ]\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-screeny.html [ Crash Skip Timeout ]\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-width.html [ Crash Skip Timeout ]\ncrbug.com/1048149 [ Mac ] http/tests/inspector-protocol/emulation/emulation-oopifs.js [ Crash ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/calendar-picker-appearance.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/calendar-picker-touch-operations.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/date-picker-choose-default-value-after-set-value.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/month-picker-appearance.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/month-picker-appearance-step.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-appearance-zoom125.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-top-left-selection-position-after-reopen.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-zoom150-bottom-edge-no-nan.html [ Crash Pass ]\ncrbug.com/1048149 crbug.com/1050121 [ Mac ] fast/forms/month/month-picker-appearance-zoom150.html [ Crash Failure Pass ]\n\n# SwANGLE issues\ncrbug.com/1204234 css3/blending/background-blend-mode-single-accelerated-element.html [ Failure ]\n\n# Upcoming DevTools change\ncrbug.com/1006759 http/tests/devtools/profiler/cpu-profiler-save-load.js [ Failure Pass Skip Timeout ]\ncrbug.com/1006759 http/tests/devtools/profiler/heap-snapshot-loader.js [ Failure Pass ]\n\n# Temporarily disabled to land changes in DevTools, multiple dependent CLs\n# [1] https://chromium-review.googlesource.com/c/devtools/devtools-frontend/+/2049183\n# [2] https://chromium-review.googlesource.com/c/devtools/devtools-frontend/+/2119670\ncrbug.com/1064472 http/tests/devtools/elements/elements-tab-stops.js [ Failure Pass ]\n\ncrbug.com/1049456 fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass ]\ncrbug.com/1081277 fast/scrolling/events/scrollend-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass ]\ncrbug.com/1080997 fast/scrolling/events/scrollend-event-fired-to-scrolled-element.html [ Failure Pass ]\n\n# \"in-multicol-child.html\" is laid out in legacy layout due by \"multicol\" but\n# reference is laid out by LayoutNG.\ncrbug.com/829028 [ Mac ] editing/caret/in-multicol-child.html [ Failure ]\n\n# Flaky tests blocking WPT import\ncrbug.com/1054577 [ Linux ] virtual/storage-access-api/external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\ncrbug.com/1054577 [ Win ] virtual/storage-access-api/external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\ncrbug.com/1054577 [ Mac ] external/wpt/media-source/mediasource-detach.html [ Failure Pass ]\ncrbug.com/1054577 [ Mac ] external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\n\n# Failing tests because of enabling scroll unification flag\ncrbug.com/476553 virtual/scroll-unification/external/wpt/dom/events/scrolling/overscroll-event-fired-to-scrolled-element.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/hit-test-counts.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-cursor-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/platform-wheelevent-paging-xy-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/remove-child-onscroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/scroll-without-mouse-lacks-mousemove-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/touch-latched-scroll-node-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/focus-selectionchange-on-tap.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar-mainframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar-textarea.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-click-common-ancestor.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-frame-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-scroll-input-field.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-scroll-listbox.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/wheel/wheel-latched-scroll-node-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/resize-corner-tracking-touch.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/subpixel-overflow-mouse-drag.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/destroy-middle-click-locked-target-crash.html [ Crash Failure Pass Skip Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/scroll-cross-origin-iframes.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/scroll-cross-origin-iframes-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/gesture-events-scrolled.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/gesture-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/mouse-click-iframe-to-plugin.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/sequential-focus.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/transformed-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/listbox-scrollbar-combinations.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-layout_ng_block_frag/fast/forms/fieldset/fieldset-legend-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-deleted-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Crash Failure Pass Skip Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/auto-scrollbar-fades-out.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/basic-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/disabled-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/hidden-scrollbars-invisible.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/listbox-scrollbar-combinations.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/overlay-scrollbars-within-overflow-scroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-buttons.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-corner-colors.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-orientation.html [ Crash Failure Pass Timeout ]\n\ncrbug.com/1253630 [ Win ] virtual/scroll-unification-overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure Pass ]\ncrbug.com/1098383 [ Mac ] fast/events/scrollbar-double-click.html [ Failure Pass ]\n\n# Sheriff 2020-02-07\n\ncrbug.com/1050039 [ Mac ] fast/events/onbeforeunload-focused-iframe.html [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1006759 http/tests/devtools/elements/styles-1/edit-value-url-with-color.js [ Skip ]\ncrbug.com/1006759 http/tests/devtools/sources/css-outline-dialog.js [ Skip ]\n\n#Mixed content autoupgrades make these tests not applicable, since they check for mixed content audio/video\ncrbug.com/1025274 external/wpt/mixed-content/gen/top.meta/unset/audio-tag.https.html [ Failure ]\ncrbug.com/1025274 external/wpt/mixed-content/gen/top.meta/unset/video-tag.https.html [ Failure ]\ncrbug.com/1025274 http/tests/security/mixedContent/insecure-audio-video-in-main-frame.html [ Failure ]\n\n# Sheriff 2020-02-19\ncrbug.com/1053903 external/wpt/webxr/events_referenceSpace_reset_inline.https.html [ Failure Pass Timeout ]\n\n### Subset of scrolling tests that are failing when percent-based scrolling feature is enabled\n# Please look at FlagExpectations/enable-percent-based-scrolling for a full list of known regressions\n\n# fast/events/wheel\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/events/wheel/wheel-in-scrollbar.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/events/wheel/wheelevent-ctrl.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheel-in-scrollbar.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheelevent-ctrl.html [ Failure Timeout ]\n# Timeout only for compositor-threaded\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheel-latched-scroll-node-removed.html [ Timeout ]\n\n# fast/scrolling\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/hover-during-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/overflow-scrollability.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/fractional-scroll-offset-document.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/scroll-animation-on-by-default.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/wheel-scroll-latching-on-scrollbar.html [ Failure Pass ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/hover-during-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/overflow-scrollability.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/fractional-scroll-offset-document.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/scroll-animation-on-by-default.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/wheel-scroll-latching-on-scrollbar.html [ Failure Pass ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/mouse-scrolling-over-standard-scrollbar.html [ Failure Pass ]\n\n# fast/scrolling/events\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-document.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-window.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-document.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-window.html [ Failure Timeout ]\n\n### END PERCENT BASED SCROLLING TEST FAILURES\n\n# Sheriff 2020-02-28\ncrbug.com/1056879 [ Win7 ] external/wpt/webxr/xrSession_requestAnimationFrame_getViewerPose.https.html [ Failure Pass Timeout ]\ncrbug.com/1053861 http/tests/devtools/network/network-initiator-chain.js [ Failure Pass ]\n\ncrbug.com/1057822 http/tests/misc/synthetic-gesture-initiated-in-cross-origin-frame.html [ Crash Failure Pass ]\ncrbug.com/1131977 [ Mac ] http/tests/misc/hover-state-recomputed-on-main-frame.html [ Timeout ]\ncrbug.com/1057351 virtual/threaded-no-composited-antialiasing/animations/responsive/interpolation/offset-rotate-responsive.html [ Failure Pass ]\ncrbug.com/1057351 virtual/threaded-no-composited-antialiasing/animations/stability/empty-keyframes.html [ Failure Pass ]\n\n### sheriff 2020-03-03\ncrbug.com/1058073 [ Mac ] http/tests/devtools/service-workers/sw-navigate-useragent.js [ Failure Pass ]\ncrbug.com/1058137 virtual/threaded/http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\n\n# Ecosystem-Infra Sheriff 2020-03-04\ncrbug.com/1058403 external/wpt/webaudio/the-audio-api/the-audioworklet-interface/suspended-context-messageport.https.html [ Crash Failure ]\n\n# Ecosystem-Infra Sheriff 2020-04-15\ncrbug.com/1070995 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/blob-data.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-03-05\ncrbug.com/1058073 [ Mac10.14 ] accessibility/content-changed-notification-causes-crash.html [ Failure Pass ]\n\n# Sheriff 2020-03-06\ncrbug.com/1059262 http/tests/worklet/webexposed/global-interface-listing-paint-worklet.html [ Failure Pass ]\ncrbug.com/1058244 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/scrollbar-rtl-manipulation.html [ Failure Pass ]\n\n# Sheriff 2020-03-08\ncrbug.com/1059645 external/wpt/pointerevents/pointerevent_coalesced_events_attributes.html [ Failure Pass ]\n\n# Failing on Fuchsia due to dependency on FuchsiaMediaResourceProvider, which is not implemented in content_shell.\ncrbug.com/1061226 [ Fuchsia ] fast/mediastream/MediaStream-onactive-oninactive.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/html/cross-origin-embedder-policy/credentialless/video.tentative.https.window.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/mediacapture-streams/MediaStream-idl.https.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/webaudio/the-audio-api/the-audioworklet-interface/baseaudiocontext-audioworklet.https.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/webaudio/the-audio-api/the-pannernode-interface/panner-equalpower-stereo.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] wpt_internal/speech/scripted/speechrecognition-restart-onend.html [ Skip ]\n\n# Sheriff 2020-03-13\ncrbug.com/1061043 fast/plugins/keypress-event.html [ Failure Pass ]\ncrbug.com/1061131 [ Mac ] editing/selection/replaced-boundaries-1.html [ Failure Pass ]\n\ncrbug.com/1058888 [ Linux ] animations/animationworklet/peek-updated-composited-property-on-main.html [ Failure Pass ]\n\n# [virtual/...]external/wpt/web-animation test flakes\ncrbug.com/1064065 virtual/threaded/external/wpt/css/css-animations/event-dispatch.tentative.html [ Failure Pass ]\n\n# Sheriff 2020-04-01\ncrbug.com/1066122 virtual/threaded-no-composited-antialiasing/animations/events/animation-iteration-event.html [ Failure Pass ]\ncrbug.com/1066732 fast/events/platform-wheelevent-paging-x-in-scrolling-div.html [ Failure Pass ]\ncrbug.com/1066732 fast/events/platform-wheelevent-paging-y-in-scrolling-div.html [ Failure Pass ]\n\n# Temporarily disabled for landing changes to DevTools frontend\ncrbug.com/1066579 http/tests/devtools/har-importer.js [ Failure Pass ]\n\n# Flaky test, happens only on Mac 10.13.\n# The \"timeout\" was detected by the wpt-importer bot.\ncrbug.com/1069714 [ Mac10.13 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Failure Pass Skip Timeout ]\n\n# COOP top navigation:\ncrbug.com/1153648 external/wpt/html/cross-origin-opener-policy/navigate-top-to-aboutblank.https.html [ Failure ]\n\n# Stale revalidation shouldn't be blocked:\ncrbug.com/1079188 external/wpt/fetch/stale-while-revalidate/revalidate-not-blocked-by-csp.html [ Timeout ]\n\n# Web Audio active processing tests\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-audiobuffersourcenode-interface/active-processing.https.html [ Crash Failure Pass ]\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-channelmergernode-interface/active-processing.https.html [ Crash Failure Pass ]\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-convolvernode-interface/active-processing.https.html [ Crash Failure Pass ]\n\n# Sheriff 2020-04-22\n# Flaky test.\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/* [ Failure Pass ]\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/before-prepare-iframe-success-external-module.html [ Failure Pass ]\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/before-prepare-iframe-fetch-error-external-module.html [ Failure Pass ]\n\n# Sheriff 2020-04-23\ncrbug.com/1073792 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/events/scrollend-event-fired-after-snap.html [ Failure Pass ]\n\n# the inspector-protocol/media tests only work in the virtual test environment.\ncrbug.com/1074129 inspector-protocol/media/media-player.js [ TIMEOUT ]\n\n# Sheriff 2020-05-04\ncrbug.com/952717 [ Debug ] http/tests/xmlhttprequest/redirect-cross-origin-post.html [ Failure Pass ]\n\n# Sheriff 2020-05-18\ncrbug.com/1084256 [ Linux ] http/tests/misc/insert-iframe-into-xml-document-before-xsl-transform.html [ Failure Pass ]\ncrbug.com/1084256 [ Mac ] http/tests/misc/insert-iframe-into-xml-document-before-xsl-transform.html [ Failure Pass ]\ncrbug.com/1084276 [ Mac ] http/tests/security/offscreencanvas-placeholder-read-blocked-no-crossorigin.html [ Crash Failure Pass ]\n\n# Disabled to prepare fixing the tests in V8\ncrbug.com/v8/10556 external/wpt/wasm/jsapi/instance/constructor-caching.any.html [ Failure Pass ]\ncrbug.com/v8/10556 external/wpt/wasm/jsapi/instance/constructor-caching.any.worker.html [ Failure Pass ]\n\n# Temporarily disabled to land the new wasm exception handling JS API\ncrbug.com/v8/11992 external/wpt/wasm/jsapi/exception/* [ Skip ]\ncrbug.com/v8/11992 external/wpt/wasm/jsapi/tag/* [ Skip ]\n\n# Disabled for landing DevTools change\ncrbug.com/1011811 http/tests/devtools/network/network-xhr-data-received-async-response-type-blob.js [ Failure Pass ]\ncrbug.com/1011811 http/tests/devtools/network/download.js [ Failure Pass ]\ncrbug.com/1011811 http/tests/devtools/sxg/sxg-disable-cache.js [ Failure Pass ]\n\ncrbug.com/1080609 virtual/threaded/external/wpt/scroll-animations/element-based-offset.html [ Failure Pass ]\ncrbug.com/1080609 virtual/threaded/external/wpt/scroll-animations/element-based-offset-clamp.html [ Failure Pass ]\n\ncrbug.com/971031 [ Mac ] fast/dom/timer-throttling-hidden-page.html [ Failure Pass ]\n\ncrbug.com/1071189 [ Debug ] editing/selection/programmatic-selection-on-mac-is-directionless.html [ Pass Timeout ]\n\n# Sheriff 2020-05-27\ncrbug.com/1046784 http/tests/devtools/elements/styles/stylesheet-tracking.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2020-05-28\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit.html [ Failure ]\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit-3.html [ Failure ]\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit-to-different-origin-frame.html [ Failure ]\n\n# Sheriff 2020-05-29\ncrbug.com/1084637 compositing/video/video-reflection.html [ Failure Pass ]\ncrbug.com/1083362 compositing/reflections/load-video-in-reflection.html [ Failure Pass ]\ncrbug.com/1087471 [ Linux ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Failure Pass ]\n\n# Sheriff 2020-06-01\n# Also see crbug.com/626703, these timed-out before but now fail as well.\ncrbug.com/1088475 [ Linux ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure Pass ]\ncrbug.com/1088475 [ Linux ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure Pass ]\n\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvas-zero-size-readback.html [ Crash Pass ]\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvasClearRect.html [ Failure Pass ]\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvasClearRectPartial.html [ Failure Pass ]\n\n# Sheriff 2020-06-03\ncrbug.com/1007228 [ Mac ] external/wpt/fullscreen/api/element-request-fullscreen-and-move-to-iframe-manual.html [ Failure Pass ]\n\n# Disabled for landing DevTools change\ncrbug.com/1011811 http/tests/devtools/persistence/automapping-sourcemap.js [ Failure Pass ]\n\n# Sheriff 2020-06-06\ncrbug.com/1091843 fast/canvas/color-space/canvas-createImageBitmap-p3.html [ Failure Pass ]\n\n# Flaky test\ncrbug.com/1093198 external/wpt/webrtc/RTCPeerConnection-addIceCandidate-timing [ Failure Pass ]\n\n# Sheriff 2020-06-09\ncrbug.com/1093003 [ Mac ] external/wpt/html/rendering/replaced-elements/embedded-content/cross-domain-iframe.sub.html [ Failure Pass ]\n\n# Sheriff 2020-06-11\ncrbug.com/1093026 [ Linux ] http/tests/security/offscreencanvas-placeholder-read-blocked-no-crossorigin.html [ Failure Pass ]\n\n# Ecosystem-Infra Rotation 2020-06-15\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-content-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-border-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-stroke-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-fill-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-border-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-content-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-stroke-box.html [ Failure ]\n\n# Temporarily disable test to allow devtools-frontend changes\ncrbug.com/1095733 http/tests/devtools/tabbed-pane-closeable-persistence.js [ Skip ]\n\n# Sheriff 2020-06-17\ncrbug.com/1095969 [ Mac ] fast/canvas/OffscreenCanvas-MessageChannel-transfer.html [ Failure Pass ]\ncrbug.com/1095969 [ Linux ] fast/canvas/OffscreenCanvas-MessageChannel-transfer.html [ Failure Pass ]\ncrbug.com/1092975 http/tests/inspector-protocol/target/target-expose-devtools-protocol.js [ Failure Pass ]\n\ncrbug.com/1096493 external/wpt/webaudio/the-audio-api/the-audiocontext-interface/processing-after-resume.https.html [ Failure ]\n\ncrbug.com/1097005 http/tests/devtools/console/console-object-preview.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1097005 http/tests/devtools/console/console-preserve-scroll.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1097005 http/tests/devtools/console/console-search.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/1093445 http/tests/loading/pdf-commit-load-callbacks.html [ Failure Pass ]\ncrbug.com/1093497 http/tests/history/client-redirect-after-push-state.html [ Failure Pass ]\n\n# Tests blocking WPT importer\ncrbug.com/1098844 external/wpt/wasm/jsapi/functions/entry.html [ Crash Pass Timeout ]\ncrbug.com/1098844 external/wpt/wasm/jsapi/functions/entry-different-function-realm.html [ Crash Pass Timeout ]\n\n#Sheriff 2020-06-25\ncrbug.com/1010170 media/video-played-reset.html [ Failure Pass ]\n\n# Sheriff 2020-07-07\n# Additionally disabled on mac due to crbug.com/988248\ncrbug.com/1083302 media/controls/volumechange-muted-attribute.html [ Failure Pass ]\n\n# Sheriff 2020-07-10\ncrbug.com/1104135 [ Mac10.14 ] virtual/controls-refresh-hc/fast/forms/color-scheme/range/range-pressed-state.html [ Failure Pass ]\n\ncrbug.com/1102167 external/wpt/fetch/redirect-navigate/preserve-fragment.html [ Pass Skip Timeout ]\n\n# Sheriff 2020-07-13\n\ncrbug.com/1104910 [ Mac ] external/wpt/webaudio/the-audio-api/the-oscillatornode-interface/osc-basic-waveform.html [ Failure Pass ]\ncrbug.com/1104910 fast/peerconnection/RTCPeerConnection-reload-interesting-usage.html [ Failure Pass ]\ncrbug.com/1104910 [ Mac ] editing/selection/selection-background.html [ Failure Pass ]\ncrbug.com/1104910 [ Linux ] external/wpt/referrer-policy/gen/worker-module.http-rp/unsafe-url/worker-classic.http.html [ Failure Pass ]\ncrbug.com/1104910 [ Linux ] external/wpt/referrer-policy/gen/worker-module.http-rp/unset/worker-module.http.html [ Failure Pass ]\n\n# Sheriff 2020-07-14\n\ncrbug.com/1105271 [ Mac ] scrollbars/custom-scrollbar-adjust-on-inactive-pseudo.html [ Failure Pass ]\ncrbug.com/1105274 http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-no-url-end-to-end.js [ Failure Pass Skip Timeout ]\ncrbug.com/1105275 [ Mac ] fast/dom/Window/window-onFocus.html [ Failure Pass ]\n\n# Temporarily disable tests to allow fixing of devtools path escaping\ncrbug.com/1094436 http/tests/devtools/overrides/project-added-with-existing-files-bind.js [ Failure Pass Skip Timeout ]\ncrbug.com/1094436 http/tests/devtools/persistence/automapping-urlencoded-paths.js [ Failure Pass ]\ncrbug.com/1094436 http/tests/devtools/sources/debugger/navigator-view.js [ Crash Failure Pass ]\n\n# This test fails due to the linked bug since input is now routed through the compositor.\ncrbug.com/1112508 fast/forms/number/number-wheel-event.html [ Failure ]\n\n# Sheriff 2020-07-20\ncrbug.com/1107722 [ Mac ] http/tests/devtools/tracing/timeline-time/timeline-time.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-layout/timeline-layout-with-invalidations.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-style/timeline-style-recalc-with-invalidations.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-style/timeline-style-recalc-with-invalidator-invalidations.js [ Failure Pass ]\n\n# Sheriff 2020-07-22\ncrbug.com/1107722 [ Mac ] virtual/threaded/http/tests/devtools/tracing/timeline-misc/timeline-event-causes.js [ Failure Pass ]\ncrbug.com/1107722 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-script-id.js [ Failure Pass ]\n\n# Failing on Webkit Linux Leak\ncrbug.com/1046784 [ Linux ] http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\ncrbug.com/1046784 [ Linux ] http/tests/devtools/tracing/timeline-misc/timeline-event-causes.js [ Failure Pass ]\n\n# Sheriff 2020-07-23\ncrbug.com/1108786 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-gc-event.js [ Failure Pass ]\ncrbug.com/1108786 [ Linux ] http/tests/devtools/tracing/timeline-js/timeline-gc-event.js [ Failure Pass ]\n\n# Sheriff 2020-07-27\ncrbug.com/1107944 [ Mac ] http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\n\ncrbug.com/1092794 fast/canvas/OffscreenCanvas-2d-placeholder-willReadFrequently.html [ Failure Pass ]\n\n# Sheriff 2020-08-03\ncrbug.com/1106429 virtual/percent-based-scrolling/max-percent-delta-page-zoom.html [ Failure Pass ]\n\n# Sheriff 2020-08-05\ncrbug.com/1113050 fast/borders/border-radius-mask-video-ratio.html [ Failure Pass ]\ncrbug.com/1113127 fast/canvas/downsample-quality.html [ Crash Failure Pass ]\n\n# Sheriff 2020-08-06\ncrbug.com/1113791 [ Win ] media/video-zoom.html [ Failure Pass ]\n\n# Virtual dark mode tests currently fails.\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/date-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/month-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/time-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/week-suggestion-picker-appearance.html [ Failure ]\n\n# Sheriff 2020-08-11\ncrbug.com/1095540 virtual/threaded-prefer-compositing/fast/scrolling/resize-corner-tracking-touch.html [ Failure Pass ]\n\n# Sheriff 2020-08-17\ncrbug.com/1069546 [ Mac ] compositing/layer-creation/overflow-scroll-overlap.html [ Failure Pass ]\n\n# Unexpected demuxer success after M86 FFmpeg roll.\ncrbug.com/1117613 media/video-error-networkState.html [ Failure Timeout ]\n\n# Sheriff 2020-0-21\ncrbug.com/1120330 virtual/threaded/external/wpt/feature-policy/experimental-features/vertical-scroll-disabled-scrollbar-tentative.html [ Failure Pass ]\ncrbug.com/1120330 virtual/threaded/external/wpt/permissions-policy/experimental-features/vertical-scroll-disabled-scrollbar-tentative.html [ Failure Pass ]\n\ncrbug.com/1122582 external/wpt/html/cross-origin-opener-policy/coop-csp-sandbox-navigate.https.html [ Failure Pass ]\n\n# Sheriff 2020-09-09\ncrbug.com/1126709 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure Pass ]\ncrbug.com/1126709 [ Win ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure Pass ]\n\n# Sheriff 2020-09-17\ncrbug.com/1129347 [ Debug Mac10.13 ] http/tests/devtools/persistence/persistence-external-change-breakpoints.js [ Failure Pass ]\n### virtual/scroll-unification/fast/scrolling/scrollbars/\nvirtual/scroll-unification/fast/scrolling/scrollbars/mouse-scrolling-on-div-scrollbar.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-occluded-by-div.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-rtl-manipulation.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/dsf-ready/mouse-interactions-dsf-2.html [ Failure ]\n\n# Sheriff 2020-09-21\ncrbug.com/1130500 [ Debug Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/xhr/xhr-timeout-longtask.any.worker.html [ Failure Pass ]\n\n# Sheriff 2020-09-22\ncrbug.com/1130533 [ Mac ] external/wpt/xhr/xhr-timeout-longtask.any.html [ Failure Pass ]\n\n# Sheriff 2020-09-22\ncrbug.com/1130533 [ Mac ] external/wpt/xhr/xhr-timeout-longtask.any.worker.html [ Failure Pass ]\n\n# Sheriff 2020-09-23\ncrbug.com/1131551 compositing/transitions/transform-on-large-layer.html [ Failure Pass Timeout ]\ncrbug.com/1057060 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\ncrbug.com/1057060 virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\ncrbug.com/1057060 virtual/scroll-unification/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\n\n# Transform animation reftests\ncrbug.com/1133901 virtual/threaded/external/wpt/css/css-transforms/animation/transform-interpolation-translate-em.html [ Failure ]\ncrbug.com/1133901 virtual/composite-relative-keyframes/external/wpt/css/css-transforms/animation/transform-interpolation-translate-em.html [ Failure ]\n\ncrbug.com/1136163 [ Linux ] external/wpt/pointerevents/pointerlock/pointerevent_movementxy_with_pointerlock.html [ Failure ]\n\n# Mixed content autoupgrades make these tests not applicable, since they check for mixed content images, the tests can be removed when cleaning up pre autoupgrades mixed content code.\ncrbug.com/1042877 external/wpt/fetch/cross-origin-resource-policy/scheme-restriction.https.window.html [ Failure ]\ncrbug.com/1042877 external/wpt/mixed-content/gen/top.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/mixed-content/imageset.https.sub.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/iframe-blank-inherit.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/srcdoc-inherit.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/top.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-css-image-with-reload.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-iframe.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame-allowed.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame-blocked.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/preload-insecure-image-in-main-frame-blocked.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-blocked.https.html [ Timeout ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-in-frame-blocked.https.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-reportonly.https.php [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-via-pref-image-blocked.https.html [ Failure ]\n\ncrbug.com/1046784 http/tests/devtools/sources/debugger/anonymous-script-with-source-map-breakpoint.js [ Failure Pass ]\n\n# Mixed content autoupgrades cause test to fail because test relied on http subresources to test a different origin, needs to be changed to not rely on HTTP URLs.\ncrbug.com/1042877 http/tests/security/img-crossorigin-redirect-credentials.https.html [ Failure ]\n\n# Sheriff 2020-10-09\ncrbug.com/1136687 external/wpt/pointerevents/pointerlock/pointerevent_pointerlock_supercedes_capture.html [ Failure Pass ]\ncrbug.com/1136726 [ Linux ] virtual/gpu-rasterization/images/imagemap-focus-ring-outline-color-not-inherited-from-map.html [ Failure ]\n\n# Sheriff 2020-10-14\ncrbug.com/1138591 [ Mac10.15 ] http/tests/dom/raf-throttling-out-of-view-cross-origin-page.html [ Failure ]\n\n# WebRTC: Payload demuxing times out in Plan B. This is expected.\ncrbug.com/1139052 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-demuxing.html [ Skip Timeout ]\n\ncrbug.com/1137228 [ Mac ] external/wpt/infrastructure/testdriver/click_iframe_crossorigin.sub.html [ Failure Pass ]\n\n# Rename document.featurePolicy to document.permissionsPolicy\ncrbug.com/1123116 external/wpt/permissions-policy/payment-supported-by-permissions-policy.tentative.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-all.https.sub.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-self.https.sub.html [ Failure Skip Timeout ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-some-override.https.sub.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-some.https.sub.html [ Failure Skip Timeout ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-disallowed-for-all.https.sub.html [ Failure Skip Timeout ]\n\n# Rename \"feature-policy-violation\" report type to \"permissions-policy-violation\" report type.\ncrbug.com/1123116 external/wpt/feature-policy/reporting/camera-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/encrypted-media-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/fullscreen-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/generic-sensor-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/geolocation-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/microphone-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/midi-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/payment-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/picture-in-picture-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/screen-wake-lock-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/serial-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/sync-xhr-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/usb-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/xr-reporting.https.html [ Timeout ]\n\ncrbug.com/1159445 [ Mac ] paint/invalidation/repaint-overlay/layers-overlay.html [ Failure ]\n\ncrbug.com/1140329 http/tests/devtools/network/network-filter-service-worker.js [ Failure Pass Skip Timeout ]\n\n#Sheriff 2020-10-21\ncrbug.com/1141206 scrollbars/overflow-scrollbar-combinations.html [ Failure Pass ]\n\n#Sheriff 2020-10-26\ncrbug.com/1142877 [ Mac ] external/wpt/mediacapture-fromelement/capture.html [ Crash Failure Pass ]\ncrbug.com/1142877 [ Debug Linux ] external/wpt/mediacapture-fromelement/capture.html [ Crash Failure Pass ]\n\n#Sheriff 2020-10-29\ncrbug.com/1143720 [ Win7 ] external/wpt/media-source/mediasource-detach.html [ Failure Pass ]\n\n# Sheriff 2020-11-03\ncrbug.com/1145019 [ Win7 ] fast/events/updateLayoutForHitTest.html [ Failure ]\n\n# Sheriff 2020-11-04\ncrbug.com/1144273 http/tests/devtools/sources/debugger-ui/continue-to-location-markers-in-top-level-function.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2020-11-06\ncrbug.com/1146560 [ Win ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\ncrbug.com/1170041 [ Linux ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\ncrbug.com/1170041 [ Mac ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\n\n# Sheriff 2020-11-12\ncrbug.com/1148259 [ Mac ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/javascript-url-return-value-handling-dynamic.html [ Failure ]\n\n# Sheriff 2020-11-19\ncrbug.com/1150700 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/registration-updateviacache.https.html [ Failure Pass Skip Timeout ]\ncrbug.com/1150700 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/update-bytecheck-cors-import.https.html [ Pass Skip Timeout ]\n\n# Disable flaky tests when scroll unification is enabled\ncrbug.com/1130020 virtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-mousedown-move-mouseup.html [ Crash Failure Pass Timeout ]\ncrbug.com/1130020 virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/scrollbar-mousedown-move-mouseup.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-11-16\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/debugger-inline-values-frames.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/reveal-execution-line.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149987 external/wpt/websockets/Create-blocked-port.any.html [ Pass Timeout ]\ncrbug.com/1149987 external/wpt/websockets/Create-blocked-port.any.worker.html [ Pass Timeout ]\ncrbug.com/1150475 fast/dom/open-and-close-by-DOM.html [ Failure Pass ]\n\n#Sheriff 2020-11-23\ncrbug.com/1152088 [ Debug Mac10.13 ] fast/dom/cssTarget-crash.html [ Pass Timeout ]\n# Sheriff 2021-01-22 added Timeout per crbug.com/1046784:\ncrbug.com/1149734 http/tests/devtools/sources/source-frame-toolbar-items.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-frameworks/frameworks-sourcemap.js [ Failure Pass ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/continue-to-location-markers.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/inline-scope-variables.js [ Failure Pass Skip Timeout ]\n\n#Sheriff 2020-11-24\ncrbug.com/1087242 http/tests/inspector-protocol/service-worker/network-extrainfo-main-request.js [ Crash Failure Pass Timeout ]\ncrbug.com/1149771 [ Linux ] virtual/android/fullscreen/video-scrolled-iframe.html [ Failure Pass Skip Timeout ]\ncrbug.com/1152532 http/tests/devtools/service-workers/user-agent-override.js [ Pass Skip Timeout ]\ncrbug.com/1134459 accessibility/aom-click-action.html [ Pass Timeout ]\n\n#Sheriff 2020-11-26\ncrbug.com/1032451 virtual/threaded-no-composited-antialiasing/animations/stability/animation-iteration-event-destroy-renderer.html [ Pass Skip Timeout ]\ncrbug.com/931646 [ Mac ] http/tests/preload/meta-viewport-link-headers-imagesrcset.html [ Failure Pass ]\n\n# Win7 suggestion picker appearance tests have a scrollbar flakiness issue\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-locale-hebrew.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-locale-hebrew.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance.html [ Failure Pass ]\n\ncrbug.com/681468 fast/forms/suggestion-picker/date-suggestion-picker-appearance-zoom125.html [ Failure Pass ]\ncrbug.com/681468 fast/forms/suggestion-picker/date-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\n\n# These tests will only run in the virtual test suite where the frequency\n# capping for overlay popup detection is disabled. This eliminates the need\n# for waitings in web tests to trigger a detection event.\ncrbug.com/1032681 http/tests/subresource_filter/overlay_popup_ad/* [ Skip ]\ncrbug.com/1032681 virtual/disable-frequency-capping-for-overlay-popup-detection/http/tests/subresource_filter/overlay_popup_ad/* [ Pass ]\n\n# Sheriff 2020-12-03\ncrbug.com/1154940 [ Win7 ] inspector-protocol/overlay/overlay-persistent-overlays-with-emulation.js [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1144171 http/tests/devtools/report-API-errors.js [ Skip ]\n\n# Sheriff 2020-12-11\n# Flaking on Linux Trusty\ncrbug.com/1157849 [ Linux Release ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Pass Skip Timeout ]\ncrbug.com/1157861 http/tests/devtools/extensions/extensions-resources.js [ Failure Pass ]\ncrbug.com/1157861 http/tests/devtools/console/paintworklet-console-selector.js [ Failure Pass ]\n\n# Wpt importer Sheriff 2020-12-11\ncrbug.com/626703 [ Linux ] wpt_internal/storage/estimate-usage-details-filesystem.https.tentative.any.html [ Failure Pass ]\n\n# Wpt importer sheriff 2020-12-23\ncrbug.com/1161590 external/wpt/html/semantics/forms/textfieldselection/select-event.html [ Failure Skip Timeout ]\n\n# Wpt importer sheriff 2021-01-05\ncrbug.com/1163175 external/wpt/css/css-pseudo/first-letter-punctuation-and-space.html [ Failure ]\n\n# Sheriff 2020-12-22\ncrbug.com/1161301 [ Mac10.15 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Pass Timeout ]\ncrbug.com/1161301 [ Mac10.14 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Failure Pass Timeout ]\n\n# Failing on Webkit Linux Leak only:\ncrbug.com/1046784 http/tests/devtools/tracing/timeline-receive-response-event.js [ Failure Pass ]\n\n# Sheriff 2021-01-12\ncrbug.com/1163793 http/tests/inspector-protocol/page/page-events-associated.js [ Failure Pass ]\n\n# Sheriff 2021-01-13\ncrbug.com/1164459 [ Mac10.15 ] external/wpt/preload/download-resources.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-01-15\ncrbug.com/1167222 http/tests/websocket/multiple-connections-throttled.html [ Failure Pass ]\ncrbug.com/1167309 fast/canvas/canvas-createImageBitmap-drawImage.html [ Failure Pass ]\n\n# Sheriff 2021-01-20\ncrbug.com/1168522 external/wpt/focus/iframe-activeelement-after-focusing-out-iframes.html [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1050549 http/tests/devtools/network/preview-searchable.js [ Failure Pass ]\ncrbug.com/1050549 http/tests/devtools/console/console-correct-suggestions.js [ Failure Pass ]\ncrbug.com/1050549 http/tests/devtools/extensions/extensions-timeline-api.js [ Failure Pass ]\n\n# Flaky test\ncrbug.com/1173439 http/tests/devtools/service-workers/service-worker-manager.js [ Pass Skip Timeout ]\n\n# Sheriff 2018-01-25\ncrbug.com/893869 css3/masking/mask-repeat-space-padding.html [ Failure Pass ]\n\n# V8 roll\ncrbug.com/961059 fast/workers/worker-shared-asm-buffer.html [ Skip ]\n\n# Temporarily disabled to unblock https://crrev.com/c/2979697\ncrbug.com/1222114 http/tests/devtools/console/console-call-getter-on-proto.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-dir.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-dir-es6.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-format.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-format-es6.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-functions.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/sources/debugger/properties-special.js [ Failure Pass ]\n\ncrbug.com/1247844 external/wpt/css/css-contain/content-visibility/content-visibility-input-image.html [ Timeout ]\n\n# Expected to fail with SuppressDifferentOriginSubframeJSDialogs feature disabled, tested in VirtualTestSuite\ncrbug.com/1065085 external/wpt/html/webappapis/user-prompts/cannot-show-simple-dialogs/confirm-different-origin-frame.sub.html [ Failure ]\ncrbug.com/1065085 external/wpt/html/webappapis/user-prompts/cannot-show-simple-dialogs/prompt-different-origin-frame.sub.html [ Failure ]\n\n# Sheriff 2021-01-27\ncrbug.com/1171331 [ Mac ] tables/mozilla_expected_failures/bugs/bug89315.html [ Failure Pass ]\n\ncrbug.com/1168785 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/autoscroll-latch-clicked-node-if-parent-unscrollable.html [ Timeout ]\n\n# flaky test\ncrbug.com/1173956 http/tests/xsl/xslt-transform-with-javascript-disabled.html [ Failure Pass ]\n\n# MediaQueryList tests failing due to incorrect event dispatching. These tests\n# will pass because they have -expected.txt, but keep entries here because they\n# still need to get fixed.\nexternal/wpt/css/cssom-view/MediaQueryList-addListener-handleEvent-expected.txt [ Failure Pass ]\nexternal/wpt/css/cssom-view/MediaQueryList-extends-EventTarget-interop-expected.txt [ Failure Pass ]\n\n# No support for key combinations like Alt + c in testdriver.Actions for content_shell\ncrbug.com/893480 external/wpt/uievents/interface/keyboard-accesskey-click-event.html [ Timeout ]\n\n# Timing out on Fuchsia\ncrbug.com/1171283 [ Fuchsia ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-out-slow.html [ Pass Timeout ]\n\n# Sheriff 2021-02-11\ncrbug.com/1177573 http/tests/inspector-protocol/animation/animation-pause.js [ Failure Pass ]\ncrbug.com/1177573 http/tests/inspector-protocol/animation/animation-pause-infinite.js [ Failure Pass ]\n\n# Sheriff 2021-02-15\ncrbug.com/1177996 [ Linux ] storage/websql/database-lock-after-reload.html [ Failure Pass ]\ncrbug.com/1178018 external/wpt/webaudio/the-audio-api/the-mediaelementaudiosourcenode-interface/mediaElementAudioSourceToScriptProcessorTest.html [ Failure Pass ]\n\n# Expected to fail - Chrome's WebXR Depth Sensing API implementation does not currently support `gpu-optimized` usage mode.\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_dataUnavailable.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_inactiveFrame.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_incorrectUsage.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_staleView.https.html [ Failure ]\n\n# Sheriff 2021-02-17\ncrbug.com/1179117 [ Linux ] http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\n\n# Sheriff 2021-02-18\ncrbug.com/1179772 [ Win7 ] http/tests/devtools/console/console-preserve-log-x-process-navigation.js [ Failure Pass ]\ncrbug.com/1179857 [ Linux ] http/tests/inspector-protocol/dom/dom-getFrameOwner.js [ Failure Pass ]\ncrbug.com/1179905 [ Linux ] fast/multicol/nested-very-tall-inside-short-crash.html [ Failure Pass ]\n\n# Sheriff 2021-02-19\ncrbug.com/1180227 [ Mac ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-default-feature-policy.https.html [ Crash Failure Pass ]\ncrbug.com/1180227 [ Linux ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-default-feature-policy.https.html [ Failure Pass ]\ncrbug.com/1180479 [ Mac ] virtual/threaded-prefer-compositing/external/wpt/css/cssom-view/scrollIntoView-smooth.html [ Failure Pass Timeout ]\n\ncrbug.com/1180274 crbug.com/1046784 http/tests/inspector-protocol/network/navigate-iframe-out2in.js [ Failure Pass ]\n\n# Sheriff 2021-02-21\ncrbug.com/1180491 [ Linux ] external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\ncrbug.com/1180491 [ Linux ] virtual/storage-access-api/external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\n\n# Sheriff 2021-02-24\ncrbug.com/1181667 [ Linux ] external/wpt/css/selectors/focus-visible-011.html [ Failure Pass ]\ncrbug.com/1045052 [ Linux ] virtual/split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Failure Pass Skip Timeout ]\ncrbug.com/1045052 [ Linux ] virtual/not-split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Failure Pass Skip Timeout ]\ncrbug.com/1181857 external/wpt/webaudio/the-audio-api/the-analysernode-interface/test-analyser-output.html [ Failure Pass ]\n\n# Sheriff 2021-02-25\ncrbug.com/1182673 [ Win7 ] http/tests/devtools/profiler/live-line-level-heap-profile.js [ Skip Timeout ]\ncrbug.com/1182675 [ Linux ] dom/attr/id-update-map-crash.html [ Failure Pass ]\ncrbug.com/1182682 [ Linux ] http/tests/devtools/service-workers/service-workers-view.js [ Failure Pass ]\n\n# Sheriff 2021-03-04\ncrbug.com/1184745 [ Mac ] external/wpt/media-source/mediasource-changetype-play.html [ Failure Pass ]\n\n# Sheriff 2021-03-08\ncrbug.com/1092462 [ Linux ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/1092462 [ Linux ] media/video-seek-past-end-paused.html [ Failure Pass ]\ncrbug.com/1185675 [ Mac ] virtual/gpu-rasterization/images/color-profile-object.html [ Failure Pass ]\ncrbug.com/1185676 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-end-to-end.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/1185051 fast/canvas/OffscreenCanvas-Bitmaprenderer-toBlob-worker.html [ Failure Pass ]\n\n# Updating virtual suite from virtual/threaded/fast/scroll-snap to\n# virtual/threaded-prefer-compositing/fast/scroll-snap exposes additional\n# tests that fail on the composited code path.\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-scrollbar-scrolling-thumb.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-wheel-scrolling.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snap-scrolls-visual-viewport.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/animate-fling-to-snap-points-2.html [ Failure Pass Skip Timeout ]\n\n# Expect failure for unimplemented canvas color object input\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.fillStyle.colorObject.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.fillStyle.colorObject.transparency.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.strokeStyle.colorObject.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.strokeStyle.colorObject.transparency.html [ Failure ]\n\n# Sheriff 2021-03-17\ncrbug.com/1072022 http/tests/security/frameNavigation/xss-ALLOWED-parent-navigation-change.html [ Pass Timeout ]\n\n# Sheriff 2021-03-19\ncrbug.com/1189976 http/tests/devtools/sources/debugger-breakpoints/dom-breakpoints.js [ Skip ]\ncrbug.com/1189976 http/tests/devtools/sources/debugger-breakpoints/dom-breakpoints-editing-dom-from-inspector.js [ Skip ]\ncrbug.com/1190176 [ Linux ] fast/peerconnection/RTCPeerConnection-addMultipleTransceivers.html [ Failure Pass ]\n\ncrbug.com/1191068 [ Mac ] external/wpt/resource-timing/iframe-failed-commit.html [ Failure Pass ]\ncrbug.com/1191068 [ Win ] external/wpt/resource-timing/iframe-failed-commit.html [ Failure Pass ]\n\ncrbug.com/1176039 [ Mac ] virtual/stable/media/stable/video-object-fit-stable.html [ Failure Pass ]\n\ncrbug.com/1190905 [ Mac ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\ncrbug.com/1190905 [ Linux ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\ncrbug.com/1190905 [ Win ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\n\n# Sheriff 2021-03-23\ncrbug.com/1182689 [ Mac ] external/wpt/editing/run/delete.html?6001-last [ Failure ]\n\n# Sheriff 2021-03-31\n# Failing tests because of enabling scroll unification flag\ncrbug.com/1194446 virtual/scroll-unification/fast/events/platform-wheelevent-paging-x-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/1194446 virtual/scroll-unification/fast/events/scale-and-scroll-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/1194446 virtual/scroll-unification/fast/events/platform-wheelevent-paging-y-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-active-state.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-mouse-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/fast/scroll-behavior/overflow-scroll-animates.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scroll-snap/snap-to-target-on-layout-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/auto-scrollbar-fades-out.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-frame-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/pointerevents/multi-pointer-preventdefault.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/hidden-scrollbars-invisible.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/overflow-scrollability.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-paragraph-end.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/drag-and-drop-autoscroll-mainframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scroll-snap/animate-fling-to-snap-points-1.html [ Failure Pass ]\n\n# Sheriff 2021-04-01\ncrbug.com/1167679 accessibility/aom-focus-action.html [ Crash Failure Pass Timeout ]\n# More failing tests because of enabling scroll unification flag\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-active-state-hidden-iframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-should-not-stop-on-keypress.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-scrolled.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-upwards-propagation-overflow-hidden-body.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/frame-scroll-fake-mouse-move.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-fling-with-page-scale.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-nonscrollable-iframe-in-scrollable-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-hover-clear.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-event-from-touch-source-device-event-sender.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-fully-scrolled-iframe-propagates.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-event-buttons-attribute.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-unified-autoplay/external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2021-04-05\ncrbug.com/921151 http/tests/security/mixedContent/insecure-iframe-with-hsts.https.html [ Failure Pass ]\n\n# Sheriff 2021-04-06\ncrbug.com/1032451 [ Linux ] virtual/threaded/animations/stability/animation-iteration-event-destroy-renderer.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-07\ncrbug.com/1196620 [ Mac ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video-sibling.html [ Failure Pass ]\n\n# WebTransport tests should eventually run when the WebTransport WPT server is added.\ncrbug.com/1201569 external/wpt/webtransport/* [ Skip ]\n# WebTransport server infra tests pass on python3 but fail on python2.\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.serviceworker.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.sharedworker.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.worker.html [ Failure Pass ]\n\ncrbug.com/1194958 fast/events/mouse-event-buttons-attribute.html [ Failure Pass ]\n\n# Sheriff 2021-04-08\ncrbug.com/1197087 external/wpt/web-animations/interfaces/Animation/finished.html [ Failure Pass ]\ncrbug.com/1197087 external/wpt/css/css-animations/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\ncrbug.com/1197087 external/wpt/css/css-transitions/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\ncrbug.com/1197087 virtual/threaded/external/wpt/css/css-animations/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\n\n# Sheriff 2021-04-09\ncrbug.com/1197528 [ Mac ] pointer-lock/pointerlockchange-pointerlockerror-events.html [ Failure Pass ]\n\ncrbug.com/1195295 fast/events/touch/multi-touch-timestamp.html [ Failure Pass ]\n\ncrbug.com/1197296 [ Mac10.15 ] external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Failure Pass ]\n\ncrbug.com/1196745 [ Mac10.15 ] editing/selection/editable-links.html [ Skip ]\n\n# WebID\n# These tests are only valid when WebID flag is enabled\ncrbug.com/1067455 wpt_internal/webid/* [ Failure ]\ncrbug.com/1067455 virtual/webid/* [ Pass ]\n\n# Is fixed by PlzDedicatedWorker.\ncrbug.com/1060837 external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.https.html [ Timeout ]\ncrbug.com/1060837 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.https.html [ Pass ]\n\ncrbug.com/1143102 virtual/plz-dedicated-worker/http/tests/inspector-protocol/fetch/dedicated-worker-main-script.js [ Skip ]\n\n# These timeout because COEP reporting to a worker is not implemented.\ncrbug.com/1197041 external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.https.html [ Skip ]\ncrbug.com/1197041 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.https.html [ Skip ]\n\n# Sheriff 2021-04-12\ncrbug.com/1198103 virtual/scroll-unification/fast/events/drag-and-drop-autoscroll.html [ Pass Timeout ]\n\ncrbug.com/1193979 [ Mac ] fast/events/tabindex-focus-blur-all.html [ Failure Pass ]\ncrbug.com/1196201 fast/events/mouse-event-source-device-event-sender.html [ Failure Pass ]\n\n# Sheriff 2021-04-13\ncrbug.com/1198698 external/wpt/clear-site-data/storage.https.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-04-14\ncrbug.com/1198828 [ Win ] virtual/scroll-unification/fast/events/mouse-events-on-node-deletion.html [ Failure Pass ]\ncrbug.com/1198828 [ Linux ] virtual/scroll-unification/fast/events/mouse-events-on-node-deletion.html [ Failure Pass ]\n\n# Sheriff 2021-04-15\ncrbug.com/1199380 virtual/scroll-unification-prefer_compositing_to_lcd_text/fast/scroll-behavior/overflow-scroll-root-frame-animates.html [ Skip ]\ncrbug.com/1194460 virtual/scroll-unification/fast/events/mouseenter-mouseleave-chained-listeners.html [ Skip ]\ncrbug.com/1196118 plugins/mouse-move-over-plugin-in-frame.html [ Failure Pass ]\ncrbug.com/1199528 http/tests/inspector-protocol/css/css-edit-redirected-css.js [ Failure Pass ]\ncrbug.com/1196317 [ Mac ] scrollbars/custom-scrollbar-thumb-width-changed-on-inactive-pseudo.html [ Failure Pass ]\n\n# Sheriff 2021-04-20\ncrbug.com/1200671 [ Mac11 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\ncrbug.com/1200671 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\n\ncrbug.com/1197444 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/nested-scroll-overlay-scrollbar.html [ Crash Failure Pass ]\n# Sheriff 2021-04-21\ncrbug.com/1200671 [ Linux ] external/wpt/webrtc/protocol/rtp-payloadtypes.html [ Crash Pass ]\ncrbug.com/1201225 external/wpt/pointerevents/pointerlock/pointerevent_pointerrawupdate_in_pointerlock.html [ Failure Pass Timeout ]\ncrbug.com/1198232 [ Win ] virtual/scroll-unification/fast/events/mouseenter-mouseleave-on-drag.html [ Failure Pass ]\ncrbug.com/1201346 http/tests/origin_trials/webexposed/bfcache-experiment-http-header-origin-trial.php [ Failure Pass ]\ncrbug.com/1201348 [ Linux ] virtual/shared_array_buffer_on_desktop/http/tests/inspector-protocol/issues/mixed-content-issue-creation-js-within-oopif.js [ Pass Timeout ]\ncrbug.com/1201365 virtual/portals/http/tests/inspector-protocol/portals/device-emulation-portals.js [ Pass Timeout ]\n\n# Sheriff 2021-04-22\ncrbug.com/1191990 [ Linux ] http/tests/serviceworker/clients-openwindow.html [ Failure Pass ]\n\n# Sheriff 2021-04-23\ncrbug.com/1198832 [ Linux ] external/wpt/css/css-sizing/aspect-ratio/replaced-element-003.html [ Failure Pass ]\ncrbug.com/1202051 virtual/scroll-unification/scrollbars/layout-viewport-scrollbars-hidden.html [ Failure Pass ]\ncrbug.com/1202051 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/layout-viewport-scrollbars-hidden.html [ Failure Pass ]\ncrbug.com/1197528 [ Linux ] pointer-lock/pointerlockchange-pointerlockerror-events.html [ Failure Pass ]\n\n# Image pixels are sometimes different on Fuchsia.\ncrbug.com/1201123 [ Fuchsia ] tables/mozilla/bugs/bug1188.html [ Failure Pass ]\n\n# Sheriff 2021-04-26\ncrbug.com/1202722 [ Linux ] virtual/scroll-unification/fast/events/mouseenter-mouseleave-on-drag.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-29\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/css-paint-api/idlharness.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/css-shapes/parsing/shape-outside-computed.html [ Failure Pass Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/cssom-view/idlharness.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/gamepad/idlharness.https.window.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/input-device-capabilities/idlharness.window.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/periodic-background-sync/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/storage/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/storage/idlharness.https.any.worker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/webusb/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/xhr/idlharness.any.sharedworker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1198443 [ Mac10.14 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/request-upload.any.html [ Failure Pass Timeout ]\ncrbug.com/1198443 [ Mac10.14 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/request-upload.any.worker.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-30\ncrbug.com/1204498 [ Linux ] virtual/scroll-unification/fast/events/hit-test-cache-iframes.html [ Failure Pass ]\n\n# Appears to be timing out even when marked as Slow.\ncrbug.com/1205184 [ Mac11 ] external/wpt/IndexedDB/interleaved-cursors-large.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-05-03\ncrbug.com/1205133 [ Linux ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Pass Timeout ]\ncrbug.com/1205133 [ Mac ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Pass Timeout ]\ncrbug.com/1205012 external/wpt/html/cross-origin-opener-policy/reporting/access-reporting/reporting-observer.html [ Pass Skip Timeout ]\ncrbug.com/1197465 [ Linux ] virtual/scroll-unification/fast/events/mouse-cursor-no-mousemove.html [ Failure Pass ]\ncrbug.com/1093041 fast/canvas/color-space/canvas-createImageBitmap-rec2020.html [ Failure Pass ]\ncrbug.com/1093041 virtual/gpu/fast/canvas/color-space/canvas-createImageBitmap-rec2020.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-05-10\ncrbug.com/1207337 virtual/scroll-unification/fast/scroll-snap/animate-fling-to-snap-points-2.html [ Failure Pass ]\n\n# Sheriff 2021-05-04\ncrbug.com/1205659 [ Mac ] external/wpt/IndexedDB/key-generators/reading-autoincrement-indexes.any.worker.html [ Pass Timeout ]\ncrbug.com/1205659 [ Mac ] storage/indexeddb/empty-blob-file.html [ Pass Timeout ]\ncrbug.com/1205673 [ Linux ] virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-wheel-scrolling-single-tick.html [ Failure Pass ]\n\n# Browser Infra 2021-05-04\n# Re-enable once all Linux CI/CQ builders migrated to Bionic\ncrbug.com/1200134 [ Linux ] fast/gradients/unprefixed-repeating-gradient-color-hint.html [ Failure Pass ]\n\n# Sheriff 2021-05-05\ncrbug.com/1205796 [ Mac10.12 ] external/wpt/html/dom/idlharness.https.html?include=HTML.* [ Failure ]\ncrbug.com/1205796 [ Mac10.14 ] external/wpt/html/dom/idlharness.https.html?include=HTML.* [ Failure ]\n\n# Blink_web_tests 2021-05-06\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/gamepad/idlharness.https.window.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/input-device-capabilities/idlharness.window.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/periodic-background-sync/idlharness.https.any.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/storage/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] virtual/threaded/external/wpt/animation-worklet/idlharness.any.worker.html [ Failure ]\n\n# Sheriff 2021-05-07\n# Some plzServiceWorker and plzDedicatedWorker singled out from generic sheriff rounds above\ncrbug.com/1207851 virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.serviceworker.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-05-10\ncrbug.com/1207709 [ Mac10.13 ] external/wpt/resource-timing/document-domain-no-impact-opener.html [ Failure Pass ]\ncrbug.com/1207709 [ Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/resource-timing/document-domain-no-impact-opener.html [ Failure Pass ]\ncrbug.com/1207709 [ Mac10.13 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Failure Pass Timeout ]\n\n# Will be passed when compositing-after-paint is used by default 2021-05-13\ncrbug.com/1208213 external/wpt/css/css-transforms/add-child-in-empty-layer.html [ Failure ]\n\n# Sheriff 2021-05-12\ncrbug.com/1095540 [ Debug Linux ] virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/resize-corner-tracking-touch.html [ Failure Pass ]\n\n# For SkiaRenderer on MacOS\ncrbug.com/1208173 [ Mac ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1208173 [ Mac ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1208173 [ Mac ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1208173 [ Mac ] css3/filters/backdrop-filter-boundary.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac ] svg/custom/svg-root-with-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/prefer_compositing_to_lcd_text/compositing/overflow/nested-render-surfaces-with-rotation.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/scalefactor200/external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/scalefactor200/external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac10.14 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\n\n# Fix to unblock wpt-importer\ncrbug.com/1209223 [ Mac ] external/wpt/url/a-element.html [ Pass Timeout ]\ncrbug.com/1209223 external/wpt/url/url-constructor.any.worker.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-05-17\ncrbug.com/1193920 virtual/scroll-unification/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Pass Timeout ]\ncrbug.com/1210199 http/tests/devtools/elements/elements-panel-restore-selection-when-node-comes-later.js [ Failure Pass ]\ncrbug.com/1199522 http/tests/devtools/layers/layers-3d-view-hit-testing.js [ Failure Pass ]\n\n# Failing css-transforms-2 web platform tests.\ncrbug.com/847356 external/wpt/css/css-transforms/transform-box/view-box-mutation-001.html [ Failure ]\n\ncrbug.com/1261895 external/wpt/css/css-transforms/transform3d-sorting-002.html [ Failure ]\n\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-002.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-004.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-005.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-006.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-007.html [ Failure ]\n# Started failing after rolling new version of check-layout-th.js\ncss3/flexbox/perpendicular-writing-modes-inside-flex-item.html [ Failure ]\n\n# Sheriff 2021-05-18\ncrbug.com/1210658 [ Mac10.14 ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\ncrbug.com/1210658 [ Mac10.15 ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\ncrbug.com/1210658 [ Win ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\n\n# Temporarily disabled to unblock https://crrev.com/c/3099011\ncrbug.com/1199701 http/tests/devtools/console/console-big-array.js [ Skip ]\n\n# Sheriff 2021-5-19\n# Flaky on Webkit Linux Leak\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger-step/debugger-step-out-document-write.js [ Failure Pass ]\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger/debug-inlined-scripts-fragment-id.js [ Failure Pass ]\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger-breakpoints/dynamic-scripts-breakpoints.js [ Failure Pass ]\n\n# The wpt_flags=h2 variants of these tests fail, but the other variants pass. We\n# can't handle this difference with -expected.txt files, so we have to list them\n# here.\ncrbug.com/1048761 external/wpt/websockets/Close-1000-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-2999-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-2999-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-4999-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-4999-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-Reason-124Bytes.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-Reason-124Bytes.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-onlyReason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-onlyReason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closed.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closed.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closing.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closing.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-reason-unpaired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-reason-unpaired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-server-initiated-close.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-server-initiated-close.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-undefined.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-undefined.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-extensions-empty.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-extensions-empty.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-array-protocols.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-array-protocols.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-binaryType-blob.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-binaryType-blob.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-setCorrectly.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-setCorrectly.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-string.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-string.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-0byte-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-0byte-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-65K-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-65K-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-65K-arraybuffer.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-65K-arraybuffer.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybuffer.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybuffer.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float32.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float32.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float64.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float64.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int16-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int16-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int32.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int32.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int8.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int8.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint16-offset-length.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint16-offset-length.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint32-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint32-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset-length.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset-length.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-blob.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-blob.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-null.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-null.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-paired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-paired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unicode-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unicode-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unpaired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unpaired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binaryType-wrong-value.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binaryType-wrong-value.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/extended-payload-length.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/001.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/002.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/004.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/005.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-arraybuffer.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-blob.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-large.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-unicode.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/events/018.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/send/006.html?wpt_flags=h2 [ Failure ]\n\n# Sheriff on 2021-05-26\ncrbug.com/1213322 [ Mac ] external/wpt/css/css-values/minmax-percentage-serialize.html [ Failure Pass ]\ncrbug.com/1213322 [ Mac ] external/wpt/html/browsers/the-window-object/named-access-on-the-window-object/window-named-properties.html [ Failure Pass ]\n\n# Do not retry slow tests that also timeouts\ncrbug.com/1210687 [ Mac10.15 ] fast/events/open-window-from-another-frame.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac ] http/tests/permissions/chromium/test-request-worker.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] storage/websql/sql-error-codes.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] external/wpt/html/user-activation/propagation-crossorigin.sub.tentative.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Win ] virtual/split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Win ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\n\n# Sheriff 2021-06-02\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-applyConstraints-remoteVideoTrack.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-applyConstraints-remoteVideoTrack.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-createDTMFSender.html [ Failure Pass ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-datachannel.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-datachannel.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-lifetime.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-lifetime.html [ Pass Timeout ]\ncrbug.com/1215584 [ Mac11 ] inspector-protocol/layout-fonts/lang-fallback.js [ Failure Pass ]\n\n# Fail with field trial testing config.\ncrbug.com/1219767 [ Linux ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure ]\n\n# Sheriff 2021-06-03\ncrbug.com/1185121 fast/scroll-snap/animate-fling-to-snap-points-1.html [ Failure Pass ]\ncrbug.com/1176162 http/tests/devtools/screen-orientation-override.js [ Failure Pass ]\ncrbug.com/1215949 external/wpt/pointerevents/pointerevent_iframe-touch-action-none_touch.html [ Pass Timeout ]\ncrbug.com/1216139 virtual/bfcache/http/tests/devtools/bfcache/bfcache-elements-update.js [ Failure Pass ]\n\n# Sheriff 2021-06-10\ncrbug.com/1177996 [ Mac10.15 ] storage/websql/database-lock-after-reload.html [ Failure Pass ]\n\n# CSS Highlight API painting issues related to general CSS highlight\n# pseudo-elements painting\ncrbug.com/1147859 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-004.html [ Failure ]\ncrbug.com/1163437 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-below-grammar.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-below-target-text.html [ Failure ]\ncrbug.com/1147859 [ Linux ] external/wpt/css/css-highlight-api/painting/* [ Failure ]\n\n# Sheriff 2021-06-11\ncrbug.com/1218667 [ Win ] virtual/portals/wpt_internal/portals/portals-dangling-markup.sub.html [ Pass Skip Timeout ]\ncrbug.com/1218714 [ Win ] virtual/scroll-unification/fast/forms/select-popup/popup-menu-scrollbar-button-scrolls.html [ Pass Timeout ]\n\n# Green Mac11 Test\ncrbug.com/1201406 [ Mac11 ] fast/events/touch/gesture/touch-gesture-scroll-listbox.html [ Failure ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/credentialscontainer-create-from-nested-frame.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/credentialscontainer-create-origins.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/publickeycredential-same-origin-with-ancestors.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/register-then-sign.html [ Crash Skip Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-add-virtual-authenticator.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-clear-credentials.js [ Crash ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-get-credentials.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-presence-simulation.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-remove-credential.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-set-aps.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-user-verification.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/iframe-navigation/parent-no-1-no-same-2-yes-port.sub.https.html [ Timeout ]\n\n# Sheriff 2021-06-14\ncrbug.com/1219499 external/wpt/websockets/Create-blocked-port.any.html?wpt_flags=h2 [ Failure Pass Timeout ]\ncrbug.com/1219499 [ Win ] external/wpt/websockets/Create-blocked-port.any.html?wss [ Pass Timeout ]\n\n# Sheriff 2021-06-15\ncrbug.com/1220317 [ Linux ] external/wpt/media-capabilities/decodingInfoEncryptedMedia.https.html [ Crash Failure Pass ]\ncrbug.com/1220317 [ Linux ] external/wpt/media-capabilities/decodingInfo.any.html [ Crash Failure Pass ]\ncrbug.com/1220007 [ Linux ] fullscreen/full-screen-iframe-allowed-video.html [ Failure Pass Timeout ]\n\n# Some flaky gpu canvas compositing\ncrbug.com/1221326 virtual/gpu/fast/canvas/canvas-composite-image.html [ Failure Pass ]\ncrbug.com/1221327 virtual/gpu/fast/canvas/canvas-composite-canvas.html [ Failure Pass ]\ncrbug.com/1221420 virtual/gpu/fast/canvas/canvas-ellipse-zero-lineto.html [ Failure Pass ]\n\n# Sheriff\ncrbug.com/1223327 wpt_internal/prerender/unload.html [ Pass Timeout ]\ncrbug.com/1223327 virtual/prerender/wpt_internal/prerender/unload.html [ Pass Timeout ]\ncrbug.com/1222097 external/wpt/html/cross-origin-embedder-policy/blob.https.html [ Skip ]\ncrbug.com/1222097 external/wpt/mediacapture-image/detached-HTMLCanvasElement.html [ Skip ]\ncrbug.com/1222097 http/tests/canvas/captureStream-on-detached-canvas.html [ Skip ]\ncrbug.com/1222097 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/blob.https.html [ Skip ]\ncrbug.com/1222097 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/worker-inheritance.sub.https.html [ Skip ]\ncrbug.com/1222097 virtual/shared_array_buffer_on_desktop/http/tests/devtools/security/interstitial-sidebar.js [ Skip ]\ncrbug.com/1222097 virtual/shared_array_buffer_on_desktop/http/tests/devtools/security/mixed-content-sidebar.js [ Skip ]\ncrbug.com/1222097 virtual/wasm-site-isolated-code-cache/http/tests/devtools/wasm-isolated-code-cache/wasm-cache-test.js [ Skip ]\ncrbug.com/1222097 external/wpt/uievents/order-of-events/mouse-events/mouseover-out.html [ Skip ]\n\n# Sheriff 2021-06-25\n# Flaky on Webkit Linux Leak\ncrbug.com/1223601 [ Linux ] fast/scrolling/autoscroll-latch-clicked-node-if-parent-unscrollable.html [ Failure Pass ]\ncrbug.com/1223601 [ Linux ] fast/scrolling/reset-scroll-in-onscroll.html [ Failure Pass ]\n\n# Sheriff 2021-06-29\n# Flaky on Mac11 Tests\ncrbug.com/1197464 [ Mac ] virtual/scroll-unification/plugins/refcount-leaks.html [ Failure Pass ]\n\n# Sheriff 2021-06-30\ncrbug.com/1216587 [ Win7 ] accessibility/scroll-window-sends-notification.html [ Failure Pass ]\ncrbug.com/1216587 [ Mac11-arm64 ] accessibility/scroll-window-sends-notification.html [ Failure Pass ]\n\n# Sheriff 2021-07-01\n# Now also flakily timing-out.\ncrbug.com/1193920 virtual/threaded-prefer-compositing/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-02\ncrbug.com/1226112 http/tests/text-autosizing/narrow-iframe.html [ Failure Pass ]\n\n# Sheriff 2021-07-05\ncrbug.com/1226445 [ Mac ] virtual/storage-access-api/external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\n\n# Sheriff 2021-07-07\ncrbug.com/1227092 [ Win ] virtual/scroll-unification/fast/events/selection-autoscroll-borderbelt.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-12\ncrbug.com/1228432 [ Linux ] external/wpt/video-rvfc/request-video-frame-callback-before-xr-session.https.html [ Pass Timeout ]\n\n# Depends on fixing WPT cross-origin iframe click flake in crbug.com/1066891.\ncrbug.com/1227710 external/wpt/bluetooth/requestDevice/cross-origin-iframe.sub.https.html [ Failure Pass ]\n\n# Cross-origin WebAssembly module sharing is getting deprecated.\ncrbug.com/1224804 virtual/not-site-per-process/external/wpt/wasm/serialization/module/window-similar-but-cross-origin-success.sub.html [ Skip ]\ncrbug.com/1224804 http/tests/inspector-protocol/issues/wasm-co-sharing-issue.js [ Skip ]\ncrbug.com/1224804 virtual/not-site-per-process/external/wpt/wasm/serialization/module/window-domain-success.sub.html [ Skip ]\n\n\n# Sheriff 2021-07-13\ncrbug.com/1220114 [ Linux ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Failure Pass Timeout ]\ncrbug.com/1228959 [ Linux ] virtual/scroll-unification/fast/scroll-snap/snaps-after-wheel-scrolling-single-tick.html [ Failure Pass ]\n\n# A number of http/tests/inspector-protocol/network tests are flaky.\ncrbug.com/1228246 http/tests/inspector-protocol/network/disable-interception-midway.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-interception-frame-id.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-interception-patterns.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-response-interception-disable-between.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/same-site-issue-warn-cookie-lax-subresource-context-downgrade.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/same-site-issue-warn-cookie-strict-subresource-context-downgrade.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/webbundle.js [ Crash Failure Pass Skip Timeout ]\n\n# linux_layout_tests_layout_ng_disabled needs its own baselines.\ncrbug.com/1231699 [ Linux ] fast/borders/border-inner-bleed.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/canvas/canvas-composite-video-shadow.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/canvas/canvas-composite-video.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/reflections/opacity-reflection-transform.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] svg/custom/focus-ring.svg [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] svg/custom/transformed-outlines.svg [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] virtual/text-antialias/color-emoji.html [ Failure Pass ]\n\n# linux_layout_tests_composite_after_paint failures.\ncrbug.com/1257251 [ Linux ] compositing/reflections/nested-reflection-transformed.html [ Failure Pass ]\ncrbug.com/1257251 [ Linux ] compositing/reflections/nested-reflection-transformed2.html [ Failure Pass ]\ncrbug.com/1257251 [ Linux ] css3/blending/effect-background-blend-mode-stacking.html [ Failure Pass ]\n\n# Other devtools flaky tests outside of http/tests/inspector-protocol/network.\ncrbug.com/1228261 http/tests/devtools/console/console-context-selector.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/browser-grant-permissions.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/network-fetch-content-with-error-status-code.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/fetch/request-paused-network-id-cors.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/service-worker/network-extrainfo-subresource.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/service-worker/network-get-request-body-blob.js [ Crash Failure Pass Skip Timeout ]\n\n# Flakes that might be caused or aggravated by PlzServiceWorker\ncrbug.com/996511 external/wpt/service-workers/cache-storage/frame/cache-abort.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/996511 external/wpt/service-workers/cache-storage/window/cache-abort.https.html [ Crash Failure Pass ]\ncrbug.com/996511 external/wpt/service-workers/service-worker/getregistrations.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/996511 http/tests/inspector-protocol/fetch/fetch-cors-preflight-sw.js [ Crash Failure Pass Timeout ]\n\n# Expected to time out, but NOT crash.\ncrbug.com/1218540 storage/shared_storage/unimplemented-worklet-operations.html [ Crash Timeout ]\n\n# Sheriff 2021-07-14\ncrbug.com/1229039 [ Linux ] external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Pass Skip Timeout ]\ncrbug.com/1229039 [ Mac ] external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Pass Skip Timeout ]\n\n# Test fails due to more accurate size reporting in heap snapshots.\ncrbug.com/1229212 inspector-protocol/heap-profiler/heap-samples-in-snapshot.js [ Failure ]\n\n# Sheriff 2021-07-15\ncrbug.com/1229666 external/wpt/html/semantics/forms/form-submission-0/urlencoded2.window.html [ Pass Timeout ]\ncrbug.com/1093027 http/tests/credentialmanager/credentialscontainer-create-with-virtual-authenticator.html [ Crash Failure Pass Skip Timeout ]\n# The next test was originally skipped on mac for lack of support (crbug.com/613672). It is now skipped everywhere due to flakiness.\ncrbug.com/1229708 fast/events/pointerevents/pointer-event-in-slop-region.html [ Skip ]\ncrbug.com/1229725 http/tests/devtools/sources/debugger-pause/pause-on-elements-panel.js [ Crash Failure Pass ]\ncrbug.com/1085647 external/wpt/pointerevents/compat/pointerevent_mouse-pointer-preventdefault.html [ Pass Timeout ]\ncrbug.com/1087232 http/tests/devtools/network/network-worker-fetch-blocked.js [ Failure Pass ]\ncrbug.com/1229801 http/tests/devtools/elements/css-rule-hover-highlights-selectors.js [ Failure Pass ]\ncrbug.com/1229802 fast/events/pointerevents/multi-touch-events.html [ Failure Pass ]\ncrbug.com/1181886 external/wpt/pointerevents/pointerevent_movementxy.html?* [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-21\ncrbug.com/1231431 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-endpoint.https.html [ Failure ]\n\n# Sheriff 2021-07-22\ncrbug.com/1222097 [ Mac ] external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-sorted-before-dispatch.html [ Failure Pass ]\ncrbug.com/1231915 [ Mac10.12 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Pass Timeout ]\ncrbug.com/1231989 [ Linux ] external/wpt/html/cross-origin-embedder-policy/shared-workers.https.html [ Failure Pass ]\n\n# Sheriff 2021-07-23\ncrbug.com/1232388 [ Mac10.12 ] external/wpt/html/rendering/non-replaced-elements/hidden-elements.html [ Failure Pass ]\ncrbug.com/1232417 external/wpt/mediacapture-insertable-streams/MediaStreamTrackGenerator-video.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-26\ncrbug.com/1232867 [ Mac10.12 ] fast/inline-block/contenteditable-baseline.html [ Failure Pass ]\ncrbug.com/1254382 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\n\n# Sheriff 2021-07-27\ncrbug.com/1233557 [ Mac10.12 ] fast/forms/calendar-picker/date-picker-appearance-zoom150.html [ Failure Pass ]\n\n# Sheriff 2021-07-28\ncrbug.com/1233781 http/tests/serviceworker/window-close-during-registration.html [ Failure Pass ]\ncrbug.com/1234057 external/wpt/css/css-paint-api/no-op-animation.https.html [ Failure Pass ]\ncrbug.com/1234302 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/paint2d-image.https.html [ Crash Failure Pass ]\n\n# Temporarily disabling progress based worklet animation tests.\ncrbug.com/1238130 animations/animationworklet/playback-rate-scroll-timeline-accelerated-property.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-dispose.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-dynamic-update.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-non-compositable.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-non-scrollable.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/inactive-timeline.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/scroll-timeline-writing-modes.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-creation.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-display-none.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-overflow-hidden.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-root-scroller.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline.https.html [ Timeout ]\n\n# Sheriff 2021-07-29\ncrbug.com/626703 http/tests/security/cross-frame-access-put.html [ Failure Pass ]\n\n# Sheriff 2021-07-30\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-audio+video.https.sub.html [ Failure ]\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-audio.https.sub.html [ Failure ]\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-video.https.sub.html [ Failure ]\n\n# Sheriff 2021-08-02\ncrbug.com/1215390 [ Linux ] external/wpt/pointerevents/pointerevent_pointerId_scope.html [ Failure Pass ]\n\n# Sheriff 2021-08/05\ncrbug.com/1230534 external/wpt/webrtc/simulcast/getStats.https.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-08-10\ncrbug.com/1233840 external/wpt/html/cross-origin-opener-policy/historical/coep-navigate-popup-unsafe-inherit.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 external/wpt/webrtc/simulcast/basic.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 external/wpt/webrtc/simulcast/setParameters-active.https.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-08-12\ncrbug.com/1237640 http/tests/inspector-protocol/network/disabled-cache-navigation.js [ Pass Timeout ]\ncrbug.com/1239175 http/tests/navigation/same-and-different-back.html [ Failure Pass ]\ncrbug.com/1239164 http/tests/inspector-protocol/network/navigate-iframe-in2in.js [ Failure Pass ]\ncrbug.com/1237909 external/wpt/webrtc-svc/RTCRtpParameters-scalability.html [ Crash Failure Pass Timeout ]\ncrbug.com/1239161 external/wpt/html/semantics/links/links-created-by-a-and-area-elements/htmlanchorelement_noopener.html [ Failure Pass ]\ncrbug.com/1239139 virtual/prerender/wpt_internal/prerender/restriction-prompt-by-before-unload.html [ Crash Pass ]\n\n# Sheriff 2021-08-19\ncrbug.com/1234315 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-overflow-hidden.https.html [ Failure Timeout ]\n\n# Sheriff 2021-08-20\ncrbug.com/1241778 [ Mac10.13 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Pass Timeout ]\ncrbug.com/1194498 http/tests/misc/iframe-script-modify-attr.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2021-08-23\ncrbug.com/1242243 external/wpt/css/css-paint-api/parse-input-arguments-018.https.html [ Crash Failure Pass ]\ncrbug.com/1242243 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/parse-input-arguments-018.https.html [ Crash Failure Pass ]\n\n# Sheriff 2021-08-24\ncrbug.com/1244896 [ Mac ] fast/mediacapturefromelement/CanvasCaptureMediaStream-set-size-too-large.html [ Pass Timeout ]\n\n# Sheriff 2021-08-25\ncrbug.com/1243128 [ Win ] external/wpt/web-share/disabled-by-permissions-policy.https.sub.html [ Failure ]\n\n# Sheriff 2021-08-26\ncrbug.com/1243707 [ Debug Linux ] http/tests/inspector-protocol/target/auto-attach-related-sw.js [ Crash Pass ]\n\n# Sheriff 2021-08-26\ncrbug.com/1243933 [ Win7 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/elements/accessibility/edit-aria-attributes.js [ Failure ]\n\n# Sheriff 2021-09-03\ncrbug.com/1246238 http/tests/devtools/security/mixed-content-sidebar.js [ Failure Pass ]\ncrbug.com/1246238 http/tests/devtools/security/interstitial-sidebar.js [ Failure Pass ]\ncrbug.com/1246351 http/tests/misc/scroll-cross-origin-iframes-scrollbar.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-09-06\n# All of these suffer from the same problem of of a\n# DCHECK(!snapshot.drawsNothing()) failing on Macs:\n# Also reported as failing via crbug.com/1233766\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-display-none.https.html [ Crash Failure Pass Timeout ]\n# Previously reported as failing via crbug.com/626703:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-set-keyframes.https.html [ Crash Failure Pass ]\n# Previously reported as fialing via crbug.com/626703:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-immediately.https.html [ Crash Failure Pass ]\n# Also reported as failing via crbug.com/1233766:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-set-timing.https.html [ Crash Failure Pass ]\n# Previously reported as failing via crbug.com/1233766 on Mac11:\n# Previously reported as failing via crbug.com/626703 on Mac10.15:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-2.https.html [ Crash Failure Pass ]\n# Also reported as failing via crbug.com/1233766:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-cancel.https.html [ Crash Failure Pass ]\ncrbug.com/1250666 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/overdraw.https.html [ Pass Timeout ]\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/invalid-image-paint-error.https.html [ Pass Timeout ]\n# Previously reported as failing via crbug.com/626703:\ncrbug.com/1236558 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/no-op-animation.https.html [ Crash Failure Pass ]\ncrbug.com/1233766 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-before-start.https.html [ Crash Failure Pass ]\ncrbug.com/1233766 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-get-timing-on-worklet-thread.https.html [ Crash Failure Pass ]\n\n# Temporarily disable to fix DevTools issue reporting\ncrbug.com/1241860 http/tests/inspector-protocol/issues/content-security-policy-issue-trusted-types-exception.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/content-security-policy-issue-trusted-types-policy-exception.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/cors-issues.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/renderer-cors-issues.js [ Skip ]\n\n# [CompositeClipPathAnimations] failing test\ncrbug.com/1249071 virtual/composite-clip-path-animation/external/wpt/css/css-masking/clip-path/animations/clip-path-animation-filter.html [ Crash Failure Pass ]\n\n# Sheriff 2021-09-08\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/valid-image-before-load.https.html [ Pass Timeout ]\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/valid-image-after-load.https.html [ Pass Timeout ]\n\n# Sheriff 2021-09-13\ncrbug.com/1229701 [ Linux ] http/tests/inspector-protocol/network/disable-cache-media-resource.js [ Failure Pass Timeout ]\n\n# WebRTC simulcast tests contineue to be flaky\ncrbug.com/1230534 [ Win ] external/wpt/webrtc/simulcast/vp8.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 [ Win ] external/wpt/webrtc/simulcast/h264.https.html [ Pass Skip Timeout ]\n\n# Following tests fail on mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] css3/blending/svg-blend-exclusion.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] css3/blending/svg-blend-multiply.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/canvas/element/manual/drawing-images-to-the-canvas/image-orientation/drawImage-from-blob.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/largest-contentful-paint/image-src-change.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/service-workers/service-worker/clients-matchall-order.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/images/document-policy-oversized-images-forced-layout.php [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] transforms/transformed-document-element.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/element/manual/drawing-images-to-the-canvas/image-orientation/drawImage-from-blob.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/clients-matchall-order.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/console-timeline.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/threaded/http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/threaded/http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/codec-tests/webm/webm-decode.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/AudioBufferSource/audiobuffersource-detune-modulation.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/AudioBufferSource/audiobuffersource-playbackrate-modulation.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/Analyser/realtimeanalyser-freq-data.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/Oscillator/no-dezippering.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-restartIce.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/offsetparent-old-behavior/external/wpt/shadow-dom/accesskey.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/workers/interfaces/WorkerUtils/importScripts/blob-url.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/other/editing-around-select-element.tentative_insertText.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/run/delete_6001-last.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/run/forwarddelete_6001-last.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/semantics/embedded-content/media-elements/interfaces/TextTrackCue/endTime.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webaudio/the-audio-api/the-convolvernode-interface/realtime-conv.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/web-share/disabled-by-feature-policy.https.sub.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/content-security-policy/securitypolicyviolation/source-file-data-scheme.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/script-write-twice-transform.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/selection/textcontrols/selectionchange.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/constructor/002_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.worker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.sharedworker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/readyState/003_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/close/close-nested_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/close/close-connecting_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/unload-a-document/002_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/color/color-picker-escape-cancellation-revert.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/css/focus-display-block-inline.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/dom/geometry-interfaces-dom-matrix-rotate.html [ Failure ]\n\n# Following tests timeout on mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure Skip Timeout ]\n\n# Flaky tests in mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] transforms/3d/general/cssmatrix-3d-zoom.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/images/document-policy-lossy-images-max-bpp.php [ Failure Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/plaintext-mode-2.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-canvas.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/jpeg-with-color-profile.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-repeat.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-shape.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/console/console-time.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/console-timeline.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/timeline-layout.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/2-comp.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/resource-timing/nested-context-navigations-embed.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/block/float/float-on-clean-line-subsequently-dirtied.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-js/timeline-microtasks.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/intersection-observer/cross-origin-iframe-with-nesting.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/controls/overflow-menu-always-visible.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/markers/document-markers-font-8px.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/markers/document-markers-zoom-2000.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-layout/timeline-layout-reason.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/resource-timing/nested-context-navigations-object.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webvtt/rendering/cues-with-video/processing-model/audio_has_no_subtitles.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/preload/without_doc_write_evaluator.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/elements/accessibility/edit-aria-attributes.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/overlay/overlay-persistent-overlays-with-emulation.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scroll-unification/plugins/multiple-plugins.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/layers/clip-rects-transformed-2.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/page-frames.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/user-timing.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/frame-model-instrumentation.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/layout-fonts/lang-fallback.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-position/fixed-z-index-blend.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/profiler/live-line-level-heap-profile.js [ Pass Skip Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] images/color-profile-background-image-space.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-paint/update-layer-tree.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-clip.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/page/set-font-families.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/mediastream/mediastreamtrackprocessor-transfer-to-worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/text-autosizing/wide-iframe.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/layout-instability/recent-input.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-cover.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/performance/perf-metrics.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/event-timing/event-retarget.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/mimesniff/media/media-sniff.window.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audio-decoder.crossOriginIsolated.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audio-decoder.crossOriginIsolated.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.html?adts_aac [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.html?mp4_aac [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/video-decoder.crossOriginIsolated.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/video-decoder.crossOriginIsolated.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.html?h264_annexb [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.html?h264_avc [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/RTCRtpTransceiver-setCodecPreferences.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/protocol/video-codecs.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/simulcast/h264.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/mediarecorder/MediaRecorder-ignores-oversize-frames-h264.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/prerender/wpt_internal/prerender/restriction-encrypted-media.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/video-codecs.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/annexb_decoding.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/annexb_decoding.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/avc_encoder_config.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/avc_encoder_config.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/basic_video_encoding.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/temporal_svc.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/temporal_svc.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simulcast/h264.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.worker.html?adts_aac [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.worker.html?mp4_aac [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.worker.html?h264_annexb [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.worker.html?h264_avc [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/12-55.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/file/recover-file-input-in-unposted-form.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-015.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-003.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-014.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-filter-all.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scalefactor200withoutzoom/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scalefactor200/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/split.https.html [ Pass Timeout ]\n\n# mac-arm CI 10-01-2021\ncrbug.com/1249176 [ Mac11-arm64 ] editing/text-iterator/beforematch-async.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/event-timing/click-interactionid.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/webappapis/update-rendering/child-document-raf-order.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/idle-detection/interceptor.https.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/opened-document-security-origin-resets-on-navigation.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/runtime/runtime-install-binding.js [ Failure Pass ]\n\n# mac-arm CI 10-05-2021\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-object-fit.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-alloc-direct-call/fast/canvas/canvas-lost-gpu-context.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-svg.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/directly-composited-image-orientation.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scroll-unification/plugins/focus-change-1-no-change.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] plugins/plugin-remove-subframe.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/replaced/no-focus-ring-object.html [ Failure Pass ]\n\ncrbug.com/1249176 [ Mac11-arm64 ] editing/selection/find-in-text-control.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-min-max-attribute.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/suggestion-picker/time-suggestion-picker-mouse-operations.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/stylesheet-and-script-load-order-http.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/blob/send-sliced-data-blob.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/formdata/send-form-data-with-empty-name.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/xss-DENIED-assign-location-hostname.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/picture-in-picture/v2/request-picture-in-picture.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/invalidation/selection/invalidation-rect-includes-newline-for-rtl.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] storage/indexeddb/intversion-revert-on-abort.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] svg/animations/animate-setcurrenttime.html [ Crash ]\n\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-011.html [ Crash Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-018.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/xhr/send-no-response-event-loadend.htm [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/inspector-protocol/network/blocked-cookie-same-site-strict.js [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/inspector-protocol/network/xhr-post-replay-cors.js [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/cross-origin-shared-worker-allowed.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/cors-rfc1918/internal-to-internal-xhr.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/autoplay/webaudio-audio-context-init.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/picture-in-picture/v2/detached-iframe.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/composite-relative-keyframes/external/wpt/css/css-transforms/animation/transform-interpolation-005.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-no-child1-yes-subdomain-child2-no-port.sub.https.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/not-site-per-process/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/iframe-navigation/parent-no-1-no-same-2-yes-port.sub.https.html [ Crash Pass ]\n\n# Sheriff 2021-09-16\ncrbug.com/1250457 [ Win7 ] http/tests/devtools/sources/debugger-ui/script-formatter-breakpoints-3.js [ Failure ]\ncrbug.com/1250457 [ Mac ] virtual/scroll-unification/plugins/plugin-map-data-to-src.html [ Failure ]\ncrbug.com/1250457 [ Mac ] storage/websql/open-database-set-empty-version.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/not-site-per-process/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/1-iframe/parent-no-child-yes-same.sub.https.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/plz-dedicated-worker-cors-rfc1918/http/tests/security/cors-rfc1918/external-to-internal-xhr.php [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/portals/http/tests/devtools/portals/portals-console.js [ Skip Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/prefer_compositing_to_lcd_text/scrollbars/custom-scrollbar-inactive-pseudo.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/prerender/wpt_internal/prerender/csp-prefetch-src-allow.html [ Skip Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/reporting-api/external/wpt/content-security-policy/reporting-api/reporting-api-report-to-only-sends-reports-to-first-endpoint.https.sub.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/scalefactor200/css3/filters/filter-animation-multi-hw.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/scroll-unification/fast/events/space-scroll-textinput-canceled.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/shared_array_buffer_on_desktop/fast/css/text-overflow-ellipsis-bidi.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/shared_array_buffer_on_desktop/storage/indexeddb/keypath-arrays.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] external/wpt/html/syntax/speculative-parsing/generated/document-write/meta-viewport-link-stylesheet-media.tentative.sub.html [ Failure ]\n\ncrbug.com/1249622 external/wpt/largest-contentful-paint/initially-invisible-images.html [ Failure ]\ncrbug.com/1249622 virtual/initially-invisible-images-lcp/external/wpt/largest-contentful-paint/initially-invisible-images.html [ Pass ]\ncrbug.com/959296 external/wpt/largest-contentful-paint/observe-svg-background-image.html [ Failure ]\ncrbug.com/959296 virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/observe-svg-background-image.html [ Pass ]\ncrbug.com/959296 external/wpt/largest-contentful-paint/observe-svg-data-uri-background-image.html [ Failure ]\ncrbug.com/959296 virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/observe-svg-data-uri-background-image.html [ Pass ]\n\n# FileSystemHandle::move() is temporarily disabled outside of the Origin Private File System\ncrbug.com/1247850 external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 external/wpt/file-system-access/local_FileSystemFileHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Fuchsia ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Linux ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.12 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.13 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.14 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.15 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac11 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Win ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-rename-manual.https.html [ Failure ]\n# FileSystemHandle::move() is temporarily disabled for directory handles\ncrbug.com/1250534 external/wpt/file-system-access/local_FileSystemDirectoryHandle-move-manual.https.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/local_FileSystemDirectoryHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.worker.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.worker.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemDirectoryHandle-move-manual.https.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemDirectoryHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.worker.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.worker.html [ Failure ]\n\n# Sheriff 2021-09-23\ncrbug.com/1164568 [ Mac10.12 ] external/wpt/html/cross-origin-opener-policy/reporting/navigation-reporting/reporting-popup-same-origin-allow-popups-report-to.https.html [ Failure ]\ncrbug.com/1164568 [ Mac10.13 ] external/wpt/html/cross-origin-opener-policy/reporting/navigation-reporting/reporting-popup-same-origin-allow-popups-report-to.https.html [ Failure ]\n\n# Sheriff 2021-09-27\n# Revisit once crbug.com/1123886 is addressed.\n# Likely has the same root cause for crashes.\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-start-delay.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-start-delay.https.html [ Skip ]\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-with-non-ascii-name.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-non-ascii-name.https.html [ Skip ]\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-local-time-after-duration.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-after-duration.https.html [ Skip ]\ncrbug.com/930462 external/wpt/animation-worklet/worklet-animation-pause-resume.https.html [ Skip ]\ncrbug.com/930462 virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-resume.https.html [ Skip ]\n\n# Sheriff 2021-09-29\ncrbug.com/1254163 [ Mac ] virtual/scroll-unification/ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure ]\n\n# Sheriff 2021-10-01\ncrbug.com/1255014 [ Linux ] virtual/scroll-unification-overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure Pass ]\ncrbug.com/1254963 [ Win ] external/wpt/mathml/presentation-markup/mrow/inferred-mrow-stretchy.html [ Crash Pass ]\ncrbug.com/1255221 http/tests/devtools/elements/styles-4/svg-style.js [ Failure Pass ]\n\n# Sheriff 2021-10-04\ncrbug.com/1226112 [ Win ] http/tests/text-autosizing/wide-iframe.html [ Pass Timeout ]\n\n# Temporarily disable to land DevTools changes\ncrbug.com/1260776 http/tests/devtools/console-xhr-logging.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/network/script-as-text-loading-long-url.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/network/script-as-text-loading-with-caret.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/sources/debugger/async-callstack-network-initiator.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/console-resource-errors.js [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1222126 http/tests/devtools/domdebugger/domdebugger-getEventListeners.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/cache-storage/cache-live-update-list.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/runtime/evaluate-timeout.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/resource-har-headers.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/resource-har-conversion.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/network/network-choose-preview-view.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/network/json-preview.js [ Skip ]\ncrbug.com/1215072 http/tests/devtools/elements/copy-styles.js [ Skip ]\n\n# Skip devtools test hitting an unexpected tracing infrastructure exception 2021-10-04\ncrbug.com/1255679 http/tests/devtools/service-workers/service-workers-wasm-test.js [ Skip ]\n\n# Sheriff 2021-10-05\ncrbug.com/1256755 http/tests/xmlhttprequest/cross-origin-unsupported-url.html [ Failure Pass ]\ncrbug.com/1256770 [ Mac ] svg/dynamic-updates/SVGFEComponentTransferElement-dom-intercept-attr.html [ Failure Pass ]\ncrbug.com/1256763 [ Win ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Mac ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\n\n# Disabled to allow devtools-frontend roll\ncrbug.com/1258618 virtual/portals/http/tests/devtools/portals/portals-elements-nesting-after-adoption.js [ Skip ]\n\n# Sheriff 2021-10-06\ncrbug.com/1257298 svg/dynamic-updates/SVGFEComponentTransferElement-dom-tableValues-attr.html [ Failure Pass ]\n\n# Sheriff 2021-10-07\ncrbug.com/1257570 [ Win7 ] fast/dom/vertical-scrollbar-in-rtl.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-cover.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-repeat.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-space.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-clip.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-filter-all.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-shape.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-object.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-svg.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/jpeg-with-color-profile.html [ Failure Pass ]\n\n# Sheriff 2021-10-12\ncrbug.com/1259133 [ Mac10.14 ] external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1259133 [ Mac10.14 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1259188 [ Mac10.14 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/1197465 [ Win7 ] virtual/scroll-unification/fast/events/mouse-cursor-no-mousemove.html [ Failure Pass ]\ncrbug.com/1259277 [ Debug Linux ] virtual/scroll-unification/fast/events/message-port-multi.html [ Failure Pass ]\n\n# Sheriff 2021-10-13\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.html [ Failure Pass ]\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.serviceworker.html [ Failure Pass ]\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.sharedworker.html [ Failure Pass ]\n\n# Data URL navigation within Fenced Frames currently crashed in the MPArch implementation.\ncrbug.com/1243568 virtual/fenced-frame-mparch/wpt_internal/fenced_frame/window-data-url-navigation.html [ Crash ]\n\n# Sheriff 2021-10-15\ncrbug.com/1256763 [ Linux ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/1260393 [ Mac ] virtual/oopr-canvas2d/fast/canvas/color-space/canvas-createImageBitmap-p3.html [ Failure Pass ]\n\n# Sheriff 2021-10-19\ncrbug.com/1256763 [ Linux ] images/color-profile-background-image-cross-fade.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] images/color-profile-background-clip-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] virtual/gpu-rasterization/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1259277 [ Mac ] fast/events/message-port-multi.html [ Failure Pass ]\n\n# Sheriff 2021-10-20\ncrbug.com/1261770 crbug.com/1245166 [ Linux ] external/wpt/web-bundle/subresource-loading/script-relative-url-in-web-bundle-cors.https.tentative.sub.html [ Failure Pass ]\ncrbug.com/1261770 crbug.com/1245166 [ Linux ] virtual/wbn-from-network/external/wpt/web-bundle/subresource-loading/script-relative-url-in-web-bundle-cors.https.tentative.sub.html [ Failure Pass ]\n\n# Sheriff 2021-10-26\ncrbug.com/1263349 [ Linux ] external/wpt/resource-timing/object-not-found-after-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-navigation.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-subresource-corp.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-endpoint.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/report-only-require-corp.https.html [ Failure Pass ]\ncrbug.com/1263732 http/tests/devtools/tracing/timeline-paint/timeline-paint-image.js [ Failure Pass ]\n\n# Sheriff 2021-10-29\ncrbug.com/1264670 [ Linux ] http/tests/devtools/resource-tree/resource-tree-frame-add.js [ Failure Pass ]\ncrbug.com/1264753 [ Mac10.12 ] external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.13 ] external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264775 [ Mac11-arm64 ] external/wpt/webrtc-stats/supported-stats.html [ Failure ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264775 [ Mac10.14 ] external/wpt/webrtc-stats/supported-stats.html [ Failure ]\n\n# Sheriff 2021-11-02\ncrbug.com/1265924 [ Fuchsia ] synthetic_gestures/smooth-scroll-tiny-delta.html [ Failure Pass ]\n\n# V8 roll\ncrbug.com/1257806 http/tests/devtools/console/console-external-array.js [ Skip ]\ncrbug.com/1257806 http/tests/devtools/console/console-log-side-effects.js [ Skip ]\n\n# TODO(https://crbug.com/1265311): Make the test behave the same way on all platforms\ncrbug.com/1265311 http/tests/navigation/location-change-repeated-from-blank.html [ Failure Pass ]\n\n# Sheriff 2021-11-03\ncrbug.com/1266199 [ Mac10.12 ] fast/css3-text/css3-text-decoration/text-decoration-style-wavy-font-size.html [ Failure Pass ]\ncrbug.com/1266221 [ Mac11-arm64 ] virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemFileHandle-create-sync-access-handle.https.tentative.window.html [ Failure Pass ]\ncrbug.com/1263354 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-adds-entry.html [ Failure Pass Timeout ]\n\ncrbug.com/1267076 wpt_internal/fenced_frame/navigator-keyboard-layout-map.https.html [ Failure ]\n\n# Sheriff 2021-11-08\ncrbug.com/1267734 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-after-TAO-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1267736 [ Win ] http/tests/devtools/bindings/jssourcemap-bindings-overlapping-sources.js [ Failure Pass ]\n\n# Sheriff 2021-11-09\ncrbug.com/1268259 [ Linux ] images/color-profile-image-canvas-pattern.html [ Failure ]\ncrbug.com/1268265 [ Mac10.14 ] virtual/prerender/external/wpt/speculation-rules/prerender/local-storage.html [ Failure ]\ncrbug.com/1268439 [ Linux ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1268439 [ Win10.20h2 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1268518 [ Linux ] external/wpt/web-animations/interfaces/Animation/onfinish.html [ Failure Pass ]\ncrbug.com/1268518 [ Mac10.12 ] external/wpt/web-animations/interfaces/Animation/onfinish.html [ Failure Pass ]\ncrbug.com/1268519 [ Win10.20h2 ] virtual/scroll-unification/http/tests/misc/resource-timing-sizes-multipart.html [ Failure Pass ]\ncrbug.com/1267734 [ Win7 ] css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1267734 [ Win7 ] virtual/scroll-unification/fast/forms/suggestion-picker/week-suggestion-picker-appearance.html [ Failure Pass ]\n\n# Sheriff 2021-11-10\ncrbug.com/1268931 [ Win10.20h2 ] css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1268963 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-after-TAO-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1268947 [ Linux ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/sources/debugger/async-callstack-network-initiator.js [ Failure Pass ]\ncrbug.com/1269011 [ Mac10.14 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1269011 [ Mac11-arm64 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\n" + }, + "written_data": { + "third_party/blink/web_tests/TestExpectations": "# tags: [ Android Fuchsia Linux Mac Mac10.12 Mac10.13 Mac10.14 Mac10.15 Mac11 Mac11-arm64 Win Win7 Win10.20h2 ]\n# tags: [ Release Debug ]\n# results: [ Timeout Crash Pass Failure Skip ]\n\n# This is the main failure suppression file for Blink LayoutTests.\n# Further documentation:\n# https://chromium.googlesource.com/chromium/src/+/master/docs/testing/web_test_expectations.md\n\n# Intentional failures to test the layout test system.\nharness-tests/crash.html [ Crash ]\nharness-tests/timeout.html [ Timeout ]\nfast/harness/sample-fail-mismatch-reftest.html [ Failure ]\n\n# Expected to fail.\nexternal/wpt/infrastructure/reftest/legacy/reftest_and_fail_0-ref.html [ Failure ]\nexternal/wpt/infrastructure/reftest/legacy/reftest_cycle_fail_0-ref.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-0.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-1.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-4.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-5.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-6.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_and_mismatch-7.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_match_fail.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_mismatch_fail.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_multiple_mismatch-0.html [ Failure ]\nexternal/wpt/infrastructure/reftest/reftest_multiple_mismatch-1.html [ Failure ]\naccessibility/slot-poison.html [ Failure ]\n\n# Expected to time out.\nexternal/wpt/infrastructure/expected-fail/timeout.html [ Timeout ]\nexternal/wpt/infrastructure/reftest/reftest_ref_timeout.html [ Timeout ]\nexternal/wpt/infrastructure/reftest/reftest_timeout.html [ Timeout ]\n\n# We don't support extracting fuzzy information from .ini files, which these\n# WPT infrastructure tests rely on.\ncrbug.com/997202 external/wpt/infrastructure/reftest/legacy/reftest_fuzzy_chain_ini.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/legacy/fuzzy-ref-2.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_full.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_ref_only.html [ Failure ]\ncrbug.com/997202 external/wpt/infrastructure/reftest/reftest_fuzzy_ini_short.html [ Failure ]\n\n# WPT HTTP/2 is not fully supported by run_web_tests.\ncrbug.com/1048761 external/wpt/infrastructure/server/http2-websocket.sub.h2.any.html [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/http2-websocket.sub.h2.any.worker.html [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/wpt-server-wpt-flags.sub.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/infrastructure/server/wpt-server-wpt-flags.sub.html?wpt_flags=https [ Failure ]\n\n# The following tests pass or fail depending on the underlying protocol (HTTP/1.1 vs HTTP/2).\n# The results of failures could be also different depending on the underlying protocol.\ncrbug.com/1048761 external/wpt/websockets/constructor/002.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/constructor/002.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/001.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/004.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/004.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/cookies/005.html [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/close/close-connecting.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/close/close-nested.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/readyState/003.html?wss [ Failure Pass ]\ncrbug.com/1048761 external/wpt/websockets/unload-a-document/002.html?wss [ Failure Pass ]\n\n# Tests are flaky after a WPT import\ncrbug.com/1204961 [ Mac ] external/wpt/websockets/stream/tentative/abort.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/1204961 [ Mac ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wpt_flags=h2 [ Failure Pass ]\n# Flaking on WebKit Linux MSAN\ncrbug.com/1207373 [ Linux ] external/wpt/uievents/order-of-events/mouse-events/mousemove-across.html [ Failure Pass ]\n\n# WPT Test harness doesn't deal with finding an about:blank ref test\ncrbug.com/1066130 external/wpt/infrastructure/assumptions/blank.html [ Failure ]\n\n# Favicon is not supported by run_web_tests.\nexternal/wpt/fetch/metadata/favicon.https.sub.html [ Skip ]\n\ncrbug.com/807686 crbug.com/24182 jquery/manipulation.html [ Pass Skip Timeout ]\n\n# The following tests need to remove the assumption that user activation is\n# available in child/sibling frames. This assumption doesn't hold with User\n# Activation v2 (UAv2).\ncrbug.com/906791 external/wpt/fullscreen/api/element-ready-check-allowed-cross-origin-manual.sub.html [ Timeout ]\n\n# These two are left over from crbug.com/881040, I rebaselined them twice and\n# they continue to fail.\ncrbug.com/881040 media/controls/lazy-loaded-style.html [ Failure Pass ]\n\n# With --enable-display-compositor-pixel-dump enabled by default, these three\n# tests fail. See crbug.com/887140 for more info.\ncrbug.com/887140 virtual/hdr/color-jpeg-with-color-profile.html [ Failure ]\ncrbug.com/887140 virtual/hdr/color-profile-video.html [ Failure ]\ncrbug.com/887140 virtual/hdr/video-canvas-alpha.html [ Failure ]\n\n# Tested by paint/background/root-element-background-transparency.html for now.\nexternal/wpt/css/compositing/root-element-background-transparency.html [ Failure ]\n\n# ====== Synchronous, budgeted HTML parser tests from here ========================\n\n# See crbug.com/1254921 for details!\n#\n# These tests either fail outright, or become flaky, when these two flags/parameters are enabled:\n# --enable-features=ForceSynchronousHTMLParsing,LoaderDataPipeTuning:allocation_size_bytes/2097152/loader_chunk_size/1048576\n\n# app-history tests - fail:\ncrbug.com/1254926 external/wpt/app-history/navigate-event/navigate-history-back-after-fragment.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/navigate/navigate-same-document-event-order.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-app-history-back-forward-same-doc.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-app-history-navigate-same-doc.html [ Failure ]\ncrbug.com/1254926 external/wpt/app-history/currentchange-event/currentchange-history-back-same-doc.html [ Failure ]\n\n# Extra line info appears in the output in some cases.\ncrbug.com/1254932 http/tests/preload/meta-csp.html [ Failure ]\n\n# Extra box in the output:\ncrbug.com/1254933 css3/filters/filterRegions.html [ Failure ]\n\n\n# Script preloaded: No\ncrbug.com/1254940 http/tests/security/contentSecurityPolicy/nonces/scriptnonce-redirect.html [ Failure ]\n\n# Test fails:\ncrbug.com/1254942 http/tests/security/subresourceIntegrity/revalidation-failed-script.html [ Failure ]\ncrbug.com/1254942 http/tests/security/subresourceIntegrity/empty-after-revalidate-script.html [ Failure ]\n\n# Two paint failures:\ncrbug.com/1254943 paint/invalidation/overflow/resize-child-within-overflow.html [ Failure ]\ncrbug.com/1254943 fast/events/hit-test-counts.html [ Failure ]\n\n# Image isn't present:\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-dom-offset-attr.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-intercept-prop.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-offset-prop.html [ Failure Pass ]\ncrbug.com/1254944 svg/dynamic-updates/SVGFEComponentTransferElement-svgdom-tableValues-prop.html [ Failure Pass ]\n\n# Fails flakily or times out\ncrbug.com/1255285 virtual/threaded/transitions/transition-currentcolor.html [ Failure Pass ]\ncrbug.com/1255285 virtual/threaded/transitions/transition-ends-before-animation-frame.html [ Timeout ]\n\n# Unknown media state flakiness (likely due to layout occuring earlier than expected):\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-candidate-insert-before.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-audio-constructor.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source-not-in-document.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-insert-source-networkState.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-in-sync-event.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-from-document.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-load.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-pause-networkState.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-pause.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-play.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-from-document-networkState.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-remove-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-set-src-not-in-document.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-invoke-set-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-remove-source.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/loading-the-media-resource/resource-selection-remove-src.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-selection-metadata.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-cuechange.html [ Failure ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-enter-exit.html [ Failure Pass ]\ncrbug.com/1254945 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-remove-insert-ready-state.html [ Failure Pass ]\n\n# ====== Synchronous, budgeted HTML parser tests to here ========================\n\ncrbug.com/1264472 plugins/focus-change-2-change-focus.html [ Failure Pass ]\n\n\ncrbug.com/1197502 [ Win ] http/tests/intersection-observer/cross-origin-iframe-with-nesting.html [ Failure Pass ]\n\n# ====== Site Isolation failures from here ======\n# See also third_party/blink/web_tests/virtual/not-site-per-process/README.md\n# Tests temporarily disabled with Site Isolation - uninvestigated bugs:\n# TODO(lukasza, alexmos): Burn down this list.\ncrbug.com/949003 http/tests/printing/cross-site-frame-scrolled.html [ Failure Pass ]\ncrbug.com/949003 http/tests/printing/cross-site-frame.html [ Failure Pass ]\n# ====== Site Isolation failures until here ======\n\n# ====== Oilpan-only failures from here ======\n# Most of these actually cause the tests to report success, rather than\n# failure. Expected outputs will be adjusted for the better once Oilpan\n# has been well and truly enabled always.\n# ====== Oilpan-only failures until here ======\n\n# ====== Browserside navigation from here ======\n# These tests started failing when browser-side navigation was turned on.\ncrbug.com/759632 http/tests/devtools/network/network-datasaver-warning.js [ Failure ]\n# ====== Browserside navigation until here ======\n\n# ====== Paint team owned tests from here ======\n# The paint team tracks and triages its test failures, and keeping them colocated\n# makes tracking much easier.\n# Covered directories are:\n# compositing except compositing/animations\n# hittesting\n# images, css3/images,\n# paint\n# svg\n# canvas, fast/canvas\n# transforms\n# display-lock\n# Some additional bugs that are caused by painting problems are also within this section.\n\n# --- Begin CompositeAfterPaint Tests --\n# Only whitelisted tests run under the virtual suite.\n# More tests run with CompositeAfterPaint on the flag-specific try bot.\nvirtual/composite-after-paint/* [ Skip ]\nvirtual/composite-after-paint/compositing/backface-visibility/* [ Pass ]\nvirtual/composite-after-paint/compositing/backgrounds/* [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/abs-position-inside-opacity.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/composited-html-size.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/outline-change.html [ Pass ]\nvirtual/composite-after-paint/compositing/geometry/tall-page-composited.html [ Pass ]\nvirtual/composite-after-paint/compositing/gestures/gesture-tapHighlight-img.html [ Pass ]\nvirtual/composite-after-paint/compositing/gestures/gesture-tapHighlight-simple-scaledY.html [ Pass ]\nvirtual/composite-after-paint/compositing/iframes/iframe-in-composited-layer.html [ Pass ]\nvirtual/composite-after-paint/compositing/masks/mask-of-clipped-layer.html [ Pass ]\nvirtual/composite-after-paint/compositing/overflow/clip-rotate-opacity-fixed.html [ Pass ]\nvirtual/composite-after-paint/compositing/overlap-blending/children-opacity-huge.html [ Pass ]\nvirtual/composite-after-paint/compositing/plugins/* [ Pass ]\nvirtual/composite-after-paint/compositing/reflections/reflection-ordering.html [ Pass ]\nvirtual/composite-after-paint/compositing/rtl/rtl-overflow-scrolling.html [ Pass ]\nvirtual/composite-after-paint/compositing/squashing/squash-composited-input.html [ Pass ]\nvirtual/composite-after-paint/compositing/transitions/opacity-on-inline.html [ Pass ]\nvirtual/composite-after-paint/compositing/will-change/stacking-context-creation.html [ Pass ]\nvirtual/composite-after-paint/compositing/z-order/* [ Pass ]\nvirtual/composite-after-paint/paint/background/* [ Pass ]\nvirtual/composite-after-paint/paint/filters/* [ Pass ]\nvirtual/composite-after-paint/paint/frames/* [ Pass ]\nvirtual/composite-after-paint/scrollingcoordinator/* [ Pass ]\n# --- End CompositeAfterPaint Tests --\n\n# --- CanvasFormattedText tests ---\n# Fails on linux-rel even though actual and expected appear the same.\ncrbug.com/1176933 [ Linux ] virtual/gpu/fast/canvas/canvas-formattedtext-2.html [ Skip ]\n\n# --- END CanvasFormattedText tests\n\n# These tests were disabled to allow enabling WebAssembly Reference Types.\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/global/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/global/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/constructor-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/constructor-reftypes.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/set-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/7581 external/wpt/wasm/jsapi/table/set-reftypes.tentative.any.worker.html [ Failure Pass ]\n\n# These tests block fixes done in V8. The tests run on the V8 bots as well.\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/toString.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/exception/toString.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/constructor-types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/constructor-types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/memory/types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/prototypes.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/prototypes.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/type.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/type.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor-types.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor-types.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow-reftypes.tentative.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow-reftypes.tentative.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/get-set.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/get-set.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/constructor.any.worker.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow.any.html [ Failure Pass ]\ncrbug.com/v8/12227 external/wpt/wasm/jsapi/table/grow.any.worker.html [ Failure Pass ]\n\n# Sheriff on 2020-09-03\ncrbug.com/1124352 media/picture-in-picture/clear-after-request.html [ Crash Pass ]\ncrbug.com/1124352 media/picture-in-picture/controls/picture-in-picture-button.html [ Crash Pass ]\ncrbug.com/1124352 media/picture-in-picture/picture-in-picture-interstitial.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/css-selector.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/exit-picture-in-picture.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/picture-in-picture-element.html [ Crash Pass ]\ncrbug.com/1124352 external/wpt/picture-in-picture/shadow-dom.html [ Crash Pass ]\n\ncrbug.com/1174966 [ Mac ] external/wpt/webrtc/RTCPeerConnection-restartIce.https.html [ Failure Pass Timeout ]\ncrbug.com/1174965 [ Mac ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDtlsTransport-state.html [ Failure Pass ]\n\n# These tests require portals, and some require cross-origin portals.\n# Keep this in sync with VirtualTestSuites.\ncrbug.com/1093466 external/wpt/fetch/metadata/portal.https.sub.html [ Skip ]\ncrbug.com/1093466 external/wpt/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/devtools/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/inspector-protocol/portals/* [ Skip ]\ncrbug.com/1093466 http/tests/portals/* [ Skip ]\ncrbug.com/1093466 wpt_internal/portals/* [ Skip ]\ncrbug.com/1093466 virtual/portals/external/wpt/fetch/metadata/portal.https.sub.html [ Pass ]\ncrbug.com/1093466 virtual/portals/external/wpt/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/devtools/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/inspector-protocol/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/http/tests/portals/* [ Pass ]\ncrbug.com/1093466 virtual/portals/wpt_internal/portals/* [ Pass ]\n\n# These tests require the experimental prerender feature.\n# See https://crbug.com/1126305.\ncrbug.com/1126305 external/wpt/speculation-rules/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/external/wpt/speculation-rules/prerender/* [ Pass ]\ncrbug.com/1126305 wpt_internal/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/wpt_internal/prerender/* [ Pass ]\ncrbug.com/1126305 http/tests/inspector-protocol/prerender/* [ Skip ]\ncrbug.com/1126305 virtual/prerender/http/tests/inspector-protocol/prerender/* [ Pass ]\n\n## prerender test: the File System Access API is not supported on Android ##\ncrbug.com/1182032 [ Android ] virtual/prerender/wpt_internal/prerender/restriction-local-file-system-access.https.html [ Skip ]\n## prerender test: Notification constructor is not supported on Android ##\ncrbug.com/1198110 [ Android ] virtual/prerender/external/wpt/speculation-rules/prerender/restriction-notification.https.html [ Skip ]\n\n# These tests require BFCache, which is currently disabled by default on Desktop.\n# Keep this in sync with VirtualTestSuites.\ncrbug.com/1171298 http/tests/inspector-protocol/bfcache/* [ Skip ]\ncrbug.com/1171298 http/tests/devtools/bfcache/* [ Skip ]\ncrbug.com/1171298 virtual/bfcache/http/tests/inspector-protocol/bfcache/* [ Pass ]\ncrbug.com/1171298 virtual/bfcache/http/tests/devtools/bfcache/* [ Pass ]\n\n# These tests require LazyEmbed, which is currently disabled by default.\ncrbug.com/1247131 virtual/automatic-lazy-frame-loading/wpt_internal/lazyembed/* [ Pass ]\ncrbug.com/1247131 wpt_internal/lazyembed/* [ Skip ]\n\n# These tests require the mparch based fenced frames.\ncrbug.com/1260483 http/tests/inspector-protocol/fenced-frame/* [ Skip ]\ncrbug.com/1260483 virtual/fenced-frame-mparch/http/tests/inspector-protocol/fenced-frame/* [ Pass ]\n\n# Ref test with very minor differences. We need fuzzy matching for our ref tests,\n# or upstream this to WPT.\ncrbug.com/1185506 svg/text/textpath-pattern.svg [ Failure Pass ]\n\ncrbug.com/807395 fast/multicol/mixed-opacity-test.html [ Failure ]\n\n########## Ref tests can't be rebaselined ##########\ncrbug.com/504613 crbug.com/524248 [ Mac ] paint/images/image-backgrounds-not-antialiased.html [ Failure ]\n\ncrbug.com/619103 paint/invalidation/background/background-resize-width.html [ Failure Pass ]\n\ncrbug.com/784956 fast/history/frameset-repeated-name.html [ Failure Pass ]\n\n\n########## Genuinely flaky ##########\ncrbug.com/624233 virtual/gpu-rasterization/images/color-profile-background-clip-text.html [ Failure Pass ]\ncrbug.com/757605 virtual/gpu-rasterization/images/jpeg-yuv-progressive-image.html [ Failure Pass ]\ncrbug.com/1223284 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-cross-fade.html [ Failure Pass ]\ncrbug.com/1223284 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-cross-fade.html [ Failure Pass ]\n\n########## Bugs to fix ##########\n# This is a missing event and increasing the timeout or using run-after-layout-and-paint doesn't\n# seem to fix it.\ncrbug.com/309675 compositing/gestures/gesture-tapHighlight-simple-longPress.html [ Failure ]\n\ncrbug.com/845267 [ Mac ] http/tests/inspector-protocol/page/page-lifecycleEvents.js [ Failure Pass ]\ncrbug.com/1046784 http/tests/inspector-protocol/page/page-events-associated-isolation.js [ Failure Pass ]\n\n# Looks like a failure to get a paint on time. Test could be changed to use runAfterLayoutAndPaint\n# instead of a timeout, which may fix things.\ncrbug.com/713049 images/color-profile-reflection.html [ Failure Pass ]\ncrbug.com/713049 virtual/gpu-rasterization/images/color-profile-reflection.html [ Failure Pass Timeout ]\n\n# This test was attributed to site isolation but times out with or without it. Broken test?\ncrbug.com/1050826 external/wpt/mixed-content/gen/top.http-rp/opt-in/object-tag.https.html [ Skip Timeout ]\n\ncrbug.com/791941 virtual/exotic-color-space/images/color-profile-border-fade.html [ Failure Pass ]\ncrbug.com/791941 virtual/gpu-rasterization/images/color-profile-border-fade.html [ Failure Pass ]\n\ncrbug.com/1098369 fast/canvas/OffscreenCanvas-copyImage.html [ Failure Pass ]\n\ncrbug.com/1106590 virtual/gpu/fast/canvas/canvas-path-non-invertible-transform.html [ Crash Pass ]\n\ncrbug.com/1237275 fast/canvas/layers-lonebeginlayer.html [ Failure Pass ]\ncrbug.com/1237275 fast/canvas/layers-unmatched-beginlayer.html [ Failure Pass ]\ncrbug.com/1231615 fast/canvas/layers-nested.html [ Failure Pass ]\n\n# Assorted WPT canvas tests failing\ncrbug.com/1093709 external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.resize.html [ Failure Pass ]\ncrbug.com/1243128 [ Win ] external/wpt/html/canvas/element/wide-gamut-canvas/2d.color.space.p3.fillText.html [ Failure ]\ncrbug.com/1243128 [ Win ] external/wpt/html/canvas/element/wide-gamut-canvas/2d.color.space.p3.fillText.shadow.html [ Failure ]\ncrbug.com/1170062 [ Linux ] external/wpt/html/canvas/element/manual/shadows/canvas_shadows_001.htm [ Pass Timeout ]\ncrbug.com/1170062 [ mac ] external/wpt/html/canvas/element/manual/shadows/canvas_shadows_001.htm [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.html [ Pass Skip Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/fill-and-stroke-styles/2d.gradient.interpolate.zerosize.fillText.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.zero.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.html [ Pass Skip Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.small.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/fill-and-stroke-styles/2d.gradient.interpolate.zerosize.fillText.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.NaN.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.negative.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.negative.worker.html [ Pass Timeout ]\ncrbug.com/1170337 [ Linux ] external/wpt/html/canvas/element/drawing-text-to-the-canvas/2d.text.draw.fill.maxWidth.zero.html [ Pass Timeout ]\ncrbug.com/1170337 [ Mac10.13 ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.NaN.worker.html [ Timeout ]\ncrbug.com/1170337 [ Mac10.13 ] external/wpt/html/canvas/offscreen/text/2d.text.draw.fill.maxWidth.zero.worker.html [ Skip Timeout ]\n\n# Off by one pixel error on ref test\ncrbug.com/1259367 [ Mac ] printing/offscreencanvas-webgl-printing.html [ Failure ]\n\n# Subpixel differences due to compositing on Mac10.14+.\ncrbug.com/997202 [ Mac10.14 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/997202 [ Mac10.15 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/997202 [ Mac11 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\n\n# This test depends on synchronous focus() which does not exist (anymore?).\ncrbug.com/1074482 external/wpt/html/interaction/focus/the-autofocus-attribute/update-the-rendering.html [ Failure ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-by-feature-policy-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-by-feature-policy-attribute-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-by-feature-policy-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1074482 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-by-feature-policy-attribute-cross-origin-tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1105278 external/wpt/clipboard-apis/feature-policy/clipboard-write/clipboard-write-enabled-on-self-origin-by-feature-policy.tentative.https.sub.html [ Failure Pass ]\ncrbug.com/1104125 external/wpt/clipboard-apis/feature-policy/clipboard-read/clipboard-read-enabled-on-self-origin-by-feature-policy.tentative.https.sub.html [ Failure Pass ]\n\n# This test has a bug in it that prevents it from being able to deal with order\n# differences it claims to support.\ncrbug.com/1076129 external/wpt/service-workers/service-worker/clients-matchall-frozen.https.html [ Failure Pass ]\n\n# Flakily timing out or failing.\n# TODO(ccameron): Investigate this.\ncrbug.com/730267 virtual/gpu-rasterization/images/color-profile-group.html [ Failure Pass Skip Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-layer.html [ Failure Pass Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure Pass Skip Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization-disable-yuv/images/yuv-decode-eligible/color-profile-layer.html [ Failure Pass Timeout ]\ncrbug.com/730267 virtual/gpu-rasterization-disable-yuv/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure Pass Skip Timeout ]\n\n# Flaky virtual/threaded/fast/scrolling tests\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/absolute-position-behind-scrollbar.html [ Failure Pass ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/fixed-position-behind-scrollbar.html [ Failure Pass ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/listbox-wheel-event.html [ Failure Pass Timeout ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/overflow-scrollability.html [ Failure Pass Timeout ]\ncrbug.com/841567 virtual/threaded-prefer-compositing/fast/scrolling/same-page-navigate.html [ Failure Pass ]\n\ncrbug.com/915926 fast/events/touch/multi-touch-user-gesture.html [ Failure Pass ]\n\ncrbug.com/736052 compositing/overflow/composited-scroll-with-fractional-translation.html [ Failure Pass ]\n\n# New OffscreenCanvas Tests that are breaking LayoutTest\n\ncrbug.com/980969 http/tests/input/discard-events-to-unstable-iframe.html [ Failure Pass ]\n\ncrbug.com/1086591 external/wpt/css/mediaqueries/aspect-ratio-004.html [ Failure ]\ncrbug.com/1086591 external/wpt/css/mediaqueries/device-aspect-ratio-002.html [ Failure ]\ncrbug.com/1002049 external/wpt/css/mediaqueries/aspect-ratio-005.html [ Failure ]\ncrbug.com/1002049 external/wpt/css/mediaqueries/aspect-ratio-006.html [ Failure ]\ncrbug.com/946762 external/wpt/css/mediaqueries/mq-gamut-004.html [ Failure ]\ncrbug.com/946762 external/wpt/css/mediaqueries/mq-gamut-002.html [ Failure ]\ncrbug.com/962417 external/wpt/css/mediaqueries/mq-negative-range-001.html [ Failure ]\ncrbug.com/442449 external/wpt/css/mediaqueries/mq-range-001.html [ Failure ]\n\ncrbug.com/1007134 external/wpt/intersection-observer/v2/delay-test.html [ Failure Pass ]\ncrbug.com/1004547 external/wpt/intersection-observer/cross-origin-iframe.sub.html [ Failure Pass ]\ncrbug.com/1007229 external/wpt/intersection-observer/same-origin-grand-child-iframe.sub.html [ Failure Pass ]\n\ncrbug.com/936084 external/wpt/css/css-sizing/max-content-input-001.html [ Failure ]\n\ncrbug.com/849459 fragmentation/repeating-thead-under-repeating-thead.html [ Failure ]\n\n# These fail when device_scale_factor is changed, but only for anti-aliasing:\ncrbug.com/968791 [ Mac ] virtual/scalefactor200/css3/filters/effect-blur-hw.html [ Failure Pass ]\ncrbug.com/968791 virtual/scalefactor200/css3/filters/filterRegions.html [ Failure ]\n\n# These appear to be actually incorrect at device_scale_factor 2.0:\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-001.html [ Failure ]\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-002.html [ Failure ]\ncrbug.com/968791 crbug.com/1051044 virtual/scalefactor200/external/wpt/css/filter-effects/effect-reference-feimage-003.html [ Failure ]\ncrbug.com/968791 virtual/scalefactor200/external/wpt/css/filter-effects/filters-test-brightness-003.html [ Failure ]\n\ncrbug.com/916825 external/wpt/css/filter-effects/filter-subregion-01.html [ Failure ]\n\n# Could be addressed with fuzzy diff.\ncrbug.com/910537 external/wpt/svg/painting/marker-006.svg [ Failure ]\ncrbug.com/910537 external/wpt/svg/painting/marker-005.svg [ Failure ]\n\n# We don't yet implement context-fill and context-stroke\ncrbug.com/367737 external/wpt/svg/painting/reftests/paint-context-001.svg [ Failure ]\ncrbug.com/367737 external/wpt/svg/painting/reftests/paint-context-002.svg [ Failure ]\n\n# Unprefixed 'mask' ('mask-image', 'mask-border') support not yet implemented.\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-clip-exclude.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-local-mask.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-image.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-remote-mask.html [ Failure ]\ncrbug.com/432153 external/wpt/css/css-masking/mask-image/mask-image-url-image-hash.html [ Failure ]\n\n# CSS cascade layers\ncrbug.com/1095765 external/wpt/css/css-cascade/layer-stylesheet-sharing.html [ Failure ]\n\n# Fails, at a minimum, due to lack of support for CSS mask property in html elements\ncrbug.com/432153 external/wpt/svg/painting/reftests/display-none-mask.html [ Skip ]\n\n# WPT SVG Tests failing. Have not been investigated in all cases.\ncrbug.com/1184034 external/wpt/svg/linking/reftests/href-filter-element.html [ Failure ]\ncrbug.com/366559 external/wpt/svg/shapes/reftests/pathlength-003.svg [ Failure ]\ncrbug.com/366559 external/wpt/svg/text/reftests/textpath-side-001.svg [ Failure ]\ncrbug.com/366559 external/wpt/svg/text/reftests/textpath-shape-001.svg [ Failure ]\ncrbug.com/803360 external/wpt/svg/path/closepath/segment-completing.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-001.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-201.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-202.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-102.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-002.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-203.svg [ Failure ]\ncrbug.com/1177540 external/wpt/svg/text/reftests/text-text-anchor-003.svg [ Failure ]\ncrbug.com/670177 external/wpt/svg/rendering/order/z-index.svg [ Failure ]\ncrbug.com/863355 [ Mac ] external/wpt/svg/shapes/reftests/pathlength-002.svg [ Failure ]\ncrbug.com/1052202 external/wpt/svg/linking/scripted/href-mpath-element.html [ Timeout ]\ncrbug.com/1052202 external/wpt/svg/linking/scripted/href-animate-element.html [ Timeout ]\ncrbug.com/1222395 external/wpt/svg/path/property/mpath.svg [ Failure ]\ncrbug.com/785246 external/wpt/svg/struct/reftests/use-inheritance-001.svg [ Failure ]\ncrbug.com/785246 external/wpt/svg/linking/reftests/use-descendant-combinator-003.html [ Failure ]\ncrbug.com/674797 external/wpt/svg/painting/reftests/marker-path-022.svg [ Failure ]\ncrbug.com/674797 external/wpt/svg/painting/reftests/marker-path-023.svg [ Failure ]\n\ncrbug.com/699040 external/wpt/svg/text/reftests/text-xml-space-001.svg [ Failure ]\n\n# WPT backgrounds and borders tests. Note that there are many more in NeverFixTests\n# that should be investigated (see crbug.com/780700)\ncrbug.com/1242416 [ Linux ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/1242416 [ Mac10.14 ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/1242416 [ Debug Mac10.15 ] external/wpt/css/CSS2/backgrounds/background-position-201.xht [ Failure Pass ]\ncrbug.com/492187 external/wpt/css/CSS2/backgrounds/background-intrinsic-004.xht [ Failure ]\ncrbug.com/492187 external/wpt/css/CSS2/backgrounds/background-intrinsic-006.xht [ Failure ]\ncrbug.com/767352 external/wpt/css/css-backgrounds/border-image-width-008.html [ Failure ]\ncrbug.com/1268426 external/wpt/css/css-backgrounds/border-image-width-should-extend-to-padding.html [ Failure ]\ncrbug.com/1268426 virtual/threaded/external/wpt/css/css-backgrounds/border-image-width-should-extend-to-padding.html [ Failure ]\n\n\n# ==== Regressions introduced by BlinkGenPropertyTrees =====\n# Reflection / mask ordering issue\ncrbug.com/767318 compositing/reflections/nested-reflection-mask-change.html [ Failure ]\n# Incorrect scrollbar invalidation.\ncrbug.com/887000 virtual/prefer_compositing_to_lcd_text/scrollbars/hidden-scrollbars-invisible.html [ Failure Timeout ]\ncrbug.com/887000 [ Mac10.14 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac10.15 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac11 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\ncrbug.com/887000 [ Mac11-arm64 ] scrollbars/hidden-scrollbars-invisible.html [ Failure ]\n\ncrbug.com/882975 virtual/threaded/fast/events/pinch/gesture-pinch-zoom-prevent-in-handler.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/fast/events/pinch/scroll-visual-viewport-send-boundary-events.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchpad-zoom-in-slow.html [ Failure Pass ]\ncrbug.com/882975 virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchpad.html [ Failure Pass ]\n\ncrbug.com/898394 virtual/android/url-bar/bottom-and-top-fixed-sticks-to-top.html [ Failure Timeout ]\n\ncrbug.com/1024151 http/tests/devtools/tracing/timeline-style/timeline-style-recalc-all-invalidator-types.js [ Failure Pass ]\n\n# Subpixel rounding differences that are incorrect.\ncrbug.com/997202 compositing/overflow/scaled-overflow.html [ Failure ]\n# Flaky subpixel AA difference (not necessarily incorrect, but flaky)\ncrbug.com/997202 virtual/threaded-no-composited-antialiasing/animations/skew-notsequential-compositor.html [ Failure Pass ]\n# Only one pixel difference (187,187,187) vs (188,188,188) occasionally.\ncrbug.com/1207960 [ Linux ] compositing/perspective-interest-rect.html [ Failure Pass ]\n\ncrbug.com/954591 external/wpt/css/css-transforms/composited-under-rotateY-180deg.html [ Failure ]\ncrbug.com/954591 external/wpt/css/css-transforms/composited-under-rotateY-180deg-clip.html [ Failure ]\n\ncrbug.com/1261905 external/wpt/css/css-transforms/backface-visibility-hidden-child-will-change-transform.html [ Failure ]\ncrbug.com/1261905 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-child-translate.html [ Failure ]\n\n# CompositeAfterPaint remaining failures\n# Outline paints incorrectly with columns. Needs LayoutNGBlockFragmentation.\ncrbug.com/1047358 paint/pagination/composited-paginated-outlined-box.html [ Failure ]\ncrbug.com/1266689 compositing/gestures/gesture-tapHighlight-composited-img.html [ Failure Pass ]\n# Need to force the video to be composited in this case, or change pre-CAP\n# to match CAP behavior.\ncrbug.com/1108972 fullscreen/compositor-touch-hit-rects-fullscreen-video-controls.html [ Failure ]\n# Cross-origin iframe layerization is buggy with empty iframes.\ncrbug.com/1123189 virtual/threaded-composited-iframes/external/wpt/is-input-pending/security/cross-origin-subframe-masked-pointer-events-mixed-2.sub.html [ Failure ]\ncrbug.com/1123189 virtual/threaded-composited-iframes/external/wpt/is-input-pending/security/cross-origin-subframe-complex-clip.sub.html [ Failure ]\ncrbug.com/1266900 [ Mac ] fast/events/touch/gesture/right-click-gestures-set-cursor-at-correct-position.html [ Crash Pass ]\ncrbug.com/1267924 [ Mac ] external/wpt/css/css-contain/contain-layout-baseline-005.html [ Failure ]\ncrbug.com/1267924 [ Mac ] external/wpt/css/css-contain/contain-layout-suppress-baseline-001.html [ Failure ]\n# Needs rebaseline on Fuchsia.\ncrbug.com/1267498 [ Fuchsia ] paint/invalidation/svg/animated-svg-as-image-transformed-offscreen.html [ Failure ]\ncrbug.com/1267498 [ Fuchsia ] compositing/layer-creation/fixed-position-out-of-view.html [ Failure ]\n\n# WebGPU tests are only run on GPU bots, so they are skipped by default and run\n# separately from other Web Tests.\nexternal/wpt/webgpu/* [ Skip ]\nwpt_internal/webgpu/* [ Skip ]\n\ncrbug.com/1018273 [ Mac ] compositing/gestures/gesture-tapHighlight-2-iframe-scrolled-inner.html [ Failure ]\n\n# Requires support of the image-resolution CSS property\ncrbug.com/1086473 external/wpt/css/css-images/image-resolution/* [ Skip ]\n\n# Fail due to lack of fuzzy matching on Linux, Win and Mac platforms for WPT. The pixels in the pre-rotated reference\n# images do not exactly match the exif rotated images, probably due to jpeg decoding/encoding issues. Maybe\n# adjusting the image size to a multiple of 8 would fix this (so all jpeg blocks are solid color).\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/svg-image-orientation-aspect-ratio.html [ Failure ]\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/image-orientation-background-properties.html [ Failure ]\ncrbug.com/997202 external/wpt/css/css-images/image-orientation/image-orientation-background-properties-border-radius.html [ Failure ]\ncrbug.com/997202 external/wpt/density-size-correction/density-corrected-image-svg-aspect-ratio.html [ Failure ]\n\ncrbug.com/1159433 external/wpt/css/css-images/image-orientation/image-orientation-exif-png.html [ Failure ]\n\n# Ref results are wrong on the background and list case, not sure on border result\ncrbug.com/1076121 external/wpt/css/css-images/image-orientation/image-orientation-border-image.html [ Failure ]\n\n# object-fit is not applied for <object>/<embed>.\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-contain-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-cover-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-dyn-aspect-ratio-001.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-dyn-aspect-ratio-002.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-fill-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-none-svg-006o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-001e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-001o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-002e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-002o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-003e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-003o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-004e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-004o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-005e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-005o.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-006e.html [ Failure ]\ncrbug.com/693834 external/wpt/css/css-images/object-fit-scale-down-svg-006o.html [ Failure ]\n\n# Minor rendering difference to the ref image because of filtering or positioning.\n# (Possibly because of the use of 'image-rendering: crisp-edges' in some cases.)\ncrbug.com/1174873 external/wpt/css/css-images/object-fit-cover-png-001c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-fit-cover-png-002c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-001p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002c.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-png-002p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-001p.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002e.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002i.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002o.html [ Failure ]\ncrbug.com/1174873 external/wpt/css/css-images/object-position-svg-002p.html [ Failure ]\n\n# The following fails because we don't use the natural aspect ratio when applying\n# object-fit, and the images referenced don't have a natural size.\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-003i.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-003p.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-004i.html [ Failure ]\ncrbug.com/1223377 external/wpt/css/css-images/object-fit-none-svg-004p.html [ Failure ]\n\ncrbug.com/1042783 external/wpt/css/css-backgrounds/background-size/background-size-near-zero-png.html [ Failure ]\ncrbug.com/1042783 external/wpt/css/css-backgrounds/background-size/background-size-near-zero-svg.html [ Failure ]\ncrbug.com/935057 external/wpt/css/css-backgrounds/background-size-043.html [ Failure ]\ncrbug.com/935057 external/wpt/css/css-backgrounds/background-size-044.html [ Failure ]\n\n# Not obviously incorrect (minor pixel differences, likely due to filtering).\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-space-10.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-round-1.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/border-image-repeat-round-2.html [ Failure ]\n\n# Passes with the WPT runner but not the internal one. (???)\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1a.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1b.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-1c.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-3.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-4.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-5.html [ Failure ]\n\n# Off-by-one in some components.\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-6.html [ Failure ]\ncrbug.com/1175040 external/wpt/css/css-backgrounds/background-repeat-space-7.html [ Failure ]\n\ncrbug.com/667006 external/wpt/css/css-backgrounds/background-attachment-fixed-inside-transform-1.html [ Failure ]\n\n# Bug accidentally masked by using square mask geometry.\ncrbug.com/1155161 svg/masking/mask-of-root.html [ Failure ]\n\n# Failures due to pointerMove building synthetic events without button information (main thread only).\ncrbug.com/1056778 fast/scrolling/scrollbars/scrollbar-thumb-snapping.html [ Failure ]\n\n# Most of these fail due to subpixel differences, but a couple are real failures.\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-animation.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-canvas-parent.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-canvas-sibling.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-with-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-iframe-sibling.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-border-image.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/compositing_simple_div.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-simple.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-stacking-context-001.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-paragraph-background-image.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-intermediate-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-paragraph.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-both-parent-and-blended-with-3D-transform.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-svg.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-filter.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-with-3D-transform.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-element-overflow-hidden-and-border-radius.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-script.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-iframe-parent.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-blended-element-interposed.html [ Failure ]\ncrbug.com/1044742 external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-with-transform-and-preserve-3D.html [ Failure ]\ncrbug.com/1044742 [ Mac ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video.html [ Failure ]\ncrbug.com/1044742 [ Win ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-parent-with-text.html [ Failure ]\ncrbug.com/1044742 [ Linux ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-mask.html [ Failure ]\n\n# Minor pixel differences\ncrbug.com/1056492 external/wpt/svg/painting/reftests/marker-path-001.svg [ Failure ]\n\n# Slightly flaky timeouts (about 1 in 30)\ncrbug.com/1050993 [ Linux ] virtual/gpu-rasterization/images/drag-image-descendant-painting-sibling.html [ Crash Pass Timeout ]\n\n# Flaky test.\ncrbug.com/1054894 [ Mac ] http/tests/images/image-decode-in-frame.html [ Failure Pass ]\n\ncrbug.com/819617 [ Linux ] virtual/text-antialias/descent-clip-in-scaled-page.html [ Failure ]\n\n# ====== Paint team owned tests to here ======\n\ncrbug.com/1142958 external/wpt/layout-instability/absolute-child-shift-with-parent-will-change.html [ Failure ]\n\ncrbug.com/922249 virtual/android/fullscreen/compositor-touch-hit-rects-fullscreen-video-controls.html [ Failure Pass ]\n\n# ====== Layout team owned tests from here ======\n\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule3-outside-left-002.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule3-outside-right-002.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule7-outside-left-001.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-rule7-outside-right-001.xht [ Failure ]\ncrbug.com/711704 external/wpt/css/CSS2/floats/floats-wrap-bfc-006.xht [ Failure ]\n\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floating-replaced-height-008.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-108.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-109.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-110.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-126.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-127.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-128.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-129.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-130.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-131.xht [ Skip ]\ncrbug.com/711709 external/wpt/css/CSS2/floats-clear/floats-137.xht [ Skip ]\n\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-001.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-002.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-003.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-005.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-inline-006.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-paged-001.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/abspos-paged-002.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-003.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-004.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-fixed-005.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-020.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-021.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-022.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-034.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-035.xht [ Skip ]\ncrbug.com/711805 external/wpt/css/CSS2/positioning/position-relative-036.xht [ Skip ]\n\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/block-in-inline-insert-001f.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/block-in-inline-insert-002f.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-002.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-003.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-004.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inline-block-005.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-003.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-004.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-005.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/inlines-006.xht [ Skip ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/max-width-applies-to-005.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/max-width-applies-to-006.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/replaced-intrinsic-001.xht [ Failure ]\ncrbug.com/711807 external/wpt/css/CSS2/normal-flow/replaced-intrinsic-002.xht [ Failure ]\n\ncrbug.com/716930 external/wpt/css/CSS2/normal-flow/block-in-inline-float-in-layer-001.html [ Failure ]\n\n#### external/wpt/css/css-sizing\ncrbug.com/1261306 external/wpt/css/css-sizing/aspect-ratio/flex-aspect-ratio-004.html [ Failure ]\ncrbug.com/970201 external/wpt/css/css-sizing/slice-intrinsic-size.html [ Failure ]\ncrbug.com/970201 external/wpt/css/css-sizing/clone-intrinsic-size.html [ Failure ]\n\ncrbug.com/1251634 external/wpt/css/css-text-decor/text-underline-offset-zero-position.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-subelements-002.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-subelements-003.html [ Failure ]\ncrbug.com/1008951 external/wpt/css/css-text-decor/text-decoration-color.html [ Failure ]\n\n#### Unprefix and update the implementation for text-emphasis\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-color-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-above-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-below-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-over-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-left-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-left-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-right-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-position-under-right-002.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-002.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-007.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-008.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-010.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-012.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-016.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-021.html [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-filled-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-open-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-shape-001.xht [ Failure ]\ncrbug.com/666433 external/wpt/css/css-text-decor/text-emphasis-style-string-001.xht [ Failure ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-073-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-072-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-071-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-020-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-076-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-075-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-021-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-022-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-074-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-underline-position-019-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-048-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-046a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-082-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-048a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-085-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-044-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-097a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-001-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-090-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-092-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-095-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-095a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-040a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-096a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-002-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-045-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-091-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-092a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-004-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-096-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-040-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-003-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-091a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-097-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-041-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-049-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-line-090a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-090a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-046a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-091-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-048a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-092a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-096-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-048-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-003-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-091a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-002-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-090-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-092-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-095a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-049-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-041-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-040a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-097-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-001-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-045-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-082-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-096a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-044-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-004-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-085-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-097a-manual.html [ Skip ]\ncrbug.com/949909 external/wpt/css/css-text-decor/text-decoration-040-manual.html [ Skip ]\n\n# `text-decoration-skip-ink: all` not implemented yet.\ncrbug.com/1054656 external/wpt/css/css-text-decor/text-decoration-skip-ink-005.html [ Skip ]\n\ncrbug.com/722825 media/controls/video-enter-exit-fullscreen-while-hovering-shows-controls.html [ Pass Skip Timeout ]\n\n#### crbug.com/783229 overflow\ncrbug.com/724701 overflow/overflow-basic-004.html [ Failure ]\n\n# Temporary failure as trying to ship inline-end padding for overflow.\ncrbug.com/1245722 external/wpt/css/cssom-view/scrollWidthHeight.xht [ Failure ]\n\ncrbug.com/846753 [ Mac ] http/tests/media/reload-after-dialog.html [ Failure Pass Timeout ]\n\n### external/wpt/css/css-tables/\ncrbug.com/708345 external/wpt/css/css-tables/height-distribution/extra-height-given-to-all-row-groups-004.html [ Failure ]\ncrbug.com/694374 external/wpt/css/css-tables/anonymous-table-ws-001.html [ Failure ]\ncrbug.com/174167 external/wpt/css/css-tables/visibility-collapse-colspan-003.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-max-size-001.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-min-size-001.html [ Failure ]\ncrbug.com/1179497 external/wpt/css/css-tables/col-definite-size-001.html [ Failure ]\ncrbug.com/910725 external/wpt/css/css-tables/tentative/paint/overflow-hidden-table.html [ Failure ]\n\n# [css-contain]\n\ncrbug.com/880802 external/wpt/css/css-contain/contain-layout-017.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-contain/contain-layout-breaks-002.html [ Failure ]\ncrbug.com/847274 external/wpt/css/css-contain/contain-paint-005.html [ Failure ]\ncrbug.com/847274 external/wpt/css/css-contain/contain-paint-006.html [ Failure ]\ncrbug.com/880802 external/wpt/css/css-contain/contain-paint-021.html [ Failure ]\ncrbug.com/882367 external/wpt/css/css-contain/contain-paint-clip-015.html [ Failure ]\ncrbug.com/882367 external/wpt/css/css-contain/contain-paint-clip-016.html [ Failure ]\ncrbug.com/1154574 external/wpt/css/css-contain/contain-size-monolithic-002.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-001.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-002.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-003.html [ Failure ]\ncrbug.com/882385 external/wpt/css/css-contain/quote-scoping-004.html [ Failure ]\n\n# [css-align]\n\ncrbug.com/722287 crbug.com/886585 external/wpt/css/css-flexbox/abspos/flex-abspos-staticpos-align-self-safe-001.html [ Failure ]\ncrbug.com/599828 external/wpt/css/css-flexbox/abspos/flex-abspos-staticpos-fallback-align-content-001.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-002.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-003.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-004.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-002.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-003.html [ Failure ]\ncrbug.com/1192763 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-004.html [ Failure ]\n\n# [css-ui]\n# The `input-security` property not implemented yet.\ncrbug.com/1253732 external/wpt/css/css-ui/input-security-none-sensitive-text-input.html [ Failure ]\n# Layout team disagrees with the spec for this particular test.\ncrbug.com/591099 external/wpt/css/css-ui/text-overflow-015.html [ Failure ]\n\n# [css-flexbox]\n\ncrbug.com/807497 external/wpt/css/css-flexbox/anonymous-flex-item-005.html [ Failure ]\ncrbug.com/1155036 external/wpt/css/css-flexbox/contain-size-layout-abspos-flex-container-crash.html [ Crash Pass ]\ncrbug.com/1251689 external/wpt/css/css-flexbox/table-as-item-specified-width-vertical.html [ Failure ]\n\n# Needs \"new\" flex container intrinsic size algorithm.\ncrbug.com/240765 external/wpt/css/css-flexbox/flex-container-max-content-001.html [ Failure ]\ncrbug.com/240765 external/wpt/css/css-flexbox/flex-container-min-content-001.html [ Failure ]\n\n# These tests are in conflict with overflow-area-*, update them if our change is web compatible.\ncrbug.com/1069614 external/wpt/css/css-flexbox/scrollbars-auto.html [ Failure ]\ncrbug.com/1069614 external/wpt/css/css-flexbox/scrollbars.html [ Failure ]\ncrbug.com/1069614 css3/flexbox/overflow-and-padding.html [ Failure ]\n\n# These require css-align-3 positional keywords that Blink doesn't yet support for flexbox.\ncrbug.com/1011718 external/wpt/css/css-flexbox/flexbox-safe-overflow-position-001.html [ Failure ]\n\n# We don't support requesting flex line breaks and it is not clear that we should.\n# See https://lists.w3.org/Archives/Public/www-style/2015May/0065.html\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-horiz-001a.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-horiz-001b.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-vert-001a.html [ Failure ]\ncrbug.com/473481 external/wpt/css/css-flexbox/flexbox-break-request-vert-001b.html [ Failure ]\n\n# We don't currently support visibility: collapse in flexbox\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-baseline-001.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-001.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-002.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox-collapsed-item-horiz-003.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox_visibility-collapse-line-wrapping.html [ Failure ]\ncrbug.com/336604 external/wpt/css/css-flexbox/flexbox_visibility-collapse.html [ Failure ]\n\ncrbug.com/606208 external/wpt/css/css-flexbox/order/order-abs-children-painting-order.html [ Failure ]\n# We paint in an incorrect order when layers are present. Blocked on composite-after-paint.\ncrbug.com/370604 external/wpt/css/css-flexbox/flexbox-paint-ordering-002.xhtml [ Failure ]\n\n# We haven't implemented last baseline alignment.\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-001a.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-001b.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-006.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-007.xhtml [ Failure ]\ncrbug.com/886585 external/wpt/css/css-flexbox/flexbox-align-self-baseline-horiz-008.xhtml [ Failure ]\n\n# Bad test expectations, but we aren't sure if web compatible yet.\ncrbug.com/1114280 external/wpt/css/css-flexbox/flexbox-min-width-auto-005.html [ Failure ]\ncrbug.com/1114280 external/wpt/css/css-flexbox/flexbox-min-width-auto-006.html [ Failure ]\n\n# [css-lists]\ncrbug.com/1123457 external/wpt/css/css-lists/counter-list-item-2.html [ Failure ]\ncrbug.com/1066577 external/wpt/css/css-lists/li-value-reversed-005.html [ Failure ]\ncrbug.com/1066577 external/wpt/css/css-lists/li-value-reversed-004.html [ Failure ]\n\n# [css-counter-styles-3]\ncrbug.com/1176323 external/wpt/css/css-counter-styles/counter-style-prefix-suffix-syntax.html [ Failure ]\ncrbug.com/1176323 external/wpt/css/css-counter-styles/counter-style-symbols-syntax.html [ Failure ]\ncrbug.com/1218280 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/descriptor-pad.html [ Failure ]\ncrbug.com/1168277 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/disclosure-styles.html [ Failure ]\ncrbug.com/1176315 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/counter-styles-3/symbols-function.html [ Failure ]\n\n# [css-overflow]\n# Incorrect WPT tests.\ncrbug.com/993813 external/wpt/css/css-overflow/webkit-line-clamp-008.html [ Failure ]\ncrbug.com/993813 [ Mac ] external/wpt/css/css-overflow/webkit-line-clamp-025.html [ Failure ]\ncrbug.com/993813 external/wpt/css/css-overflow/webkit-line-clamp-029.html [ Failure ]\n\n# Lack of support for font-language-override\ncrbug.com/481430 external/wpt/css/css-fonts/font-language-override-01.html [ Failure ]\ncrbug.com/481430 external/wpt/css/css-fonts/font-language-override-02.html [ Failure ]\n\n# Support font-palette\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-3.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-4.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-5.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-6.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-7.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-8.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-9.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-13.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-16.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-17.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-18.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-19.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-22.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-add.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-modify.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/font-palette-remove.html [ Failure ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-add-2.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-add.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-delete.html [ Timeout ]\ncrbug.com/1170794 external/wpt/css/css-fonts/palette-values-rule-delete-2.html [ Timeout ]\n\n# Non standard -webkit-<generic font family name> values are web exposed\ncrbug.com/1065468 [ Mac10.15 ] external/wpt/css/css-fonts/generic-family-keywords-002.html [ Failure Timeout ]\n\n# Comparing variable font rendering to static font rendering fails on systems that use FreeType for variable fonts\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-underline-position-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\ncrbug.com/1067242 [ Win7 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.12 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\ncrbug.com/1067242 [ Mac10.13 ] external/wpt/css/css-text-decor/text-decoration-thickness-from-font-variable.html [ Failure ]\n# Windows 10 bots are not on high enough a Windows version to render variable fonts in DirectWrite\ncrbug.com/1068947 [ Win10.20h2 ] external/wpt/css/css-text-decor/text-decoration-thickness-fixed.html [ Failure ]\n# Windows 10 bot upgrade now causes these failures on Windows-10-18363\ncrbug.com/1140324 [ Win10.20h2 ] external/wpt/css/css-text-decor/text-underline-offset-variable.html [ Failure ]\ncrbug.com/1143005 [ Win10.20h2 ] media/track/track-cue-rendering-vertical.html [ Failure ]\n\n# Tentative mansonry tests\ncrbug.com/1076027 external/wpt/css/css-grid/masonry/* [ Skip ]\n\n# external/wpt/css/css-fonts/... tests triaged away from the default WPT bug ID\ncrbug.com/1211460 external/wpt/css/css-fonts/alternates-order.html [ Failure ]\ncrbug.com/1204775 [ Linux ] external/wpt/css/css-fonts/animations/font-stretch-interpolation.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/font-family-name-025.html [ Failure ]\ncrbug.com/443467 external/wpt/css/css-fonts/font-feature-settings-descriptor-01.html [ Failure ]\ncrbug.com/819816 external/wpt/css/css-fonts/font-kerning-03.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-009.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-010.html [ Failure ]\ncrbug.com/1219875 external/wpt/css/css-fonts/font-size-adjust-011.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-05.xht [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-06.xht [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-02.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-03.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-04.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-05.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-06.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-07.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-08.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-09.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-10.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-11.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-12.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-13.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-14.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-15.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-16.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-17.html [ Failure ]\ncrbug.com/716567 external/wpt/css/css-fonts/font-variant-alternates-18.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-descriptor-01.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/font-variant-ligatures-11.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position-02.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position-03.html [ Failure ]\ncrbug.com/1212668 external/wpt/css/css-fonts/font-variant-position.html [ Failure ]\ncrbug.com/1240186 [ Mac10.12 ] external/wpt/css/css-fonts/matching/range-descriptor-reversed.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/standard-font-family.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/system-ui-ar.html [ Failure ]\ncrbug.com/1240186 [ Mac ] external/wpt/css/css-fonts/system-ui-ur.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ja-vs-zh.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ja.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-ur-vs-ar.html [ Failure ]\ncrbug.com/1240236 external/wpt/css/css-fonts/system-ui-zh.html [ Failure ]\ncrbug.com/1071114 [ Win7 ] external/wpt/css/css-fonts/variations/font-opentype-collections.html [ Timeout ]\n\n# ====== Layout team owned tests to here ======\n\n# ====== LayoutNG-only failures from here ======\n# LayoutNG - is a new layout system for Blink.\n\ncrbug.com/591099 css3/filters/composited-layer-child-bounds-after-composited-to-sw-shadow-change.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/boundary-shaping/boundary-shaping-009.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-009.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-010.html [ Failure ]\ncrbug.com/591099 external/wpt/css/css-text/shaping/shaping-011.html [ Failure ]\ncrbug.com/591099 fast/backgrounds/quirks-mode-line-box-backgrounds.html [ Failure ]\ncrbug.com/591099 fast/borders/inline-mask-overlay-image-outset-vertical-rl.html [ Failure ]\ncrbug.com/835484 fast/css/outline-narrowLine.html [ Failure ]\ncrbug.com/591099 fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-under.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects-continuation.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects-list-translate.html [ Failure ]\ncrbug.com/591099 fast/events/touch/compositor-touch-hit-rects.html [ Failure ]\ncrbug.com/889721 fast/inline/outline-continuations.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/font-format-support-color-cff2-vertical.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/whitespace/018.html [ Failure ]\ncrbug.com/591099 fast/writing-mode/auto-sizing-orthogonal-flows.html [ Failure ]\ncrbug.com/591099 fast/writing-mode/percentage-height-orthogonal-writing-modes.html [ Failure ]\ncrbug.com/835484 paint/invalidation/outline/inline-focus.html [ Failure ]\ncrbug.com/591099 paint/invalidation/scroll/fixed-under-composited-fixed-scrolled.html [ Failure ]\n\n# CSS Text failures\ncrbug.com/316409 external/wpt/css/css-text/text-justify/text-justify-and-trailing-spaces-003.html [ Failure ]\ncrbug.com/750990 external/wpt/css/css-text/text-transform/text-transform-upperlower-105.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-026.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-028.html [ Failure ]\ncrbug.com/602434 external/wpt/css/css-text/text-transform/text-transform-tailoring-001.html [ Failure ]\ncrbug.com/750990 external/wpt/css/css-text/text-transform/text-transform-upperlower-006.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-multiple-001.html [ Failure ]\ncrbug.com/906369 external/wpt/css/css-text/text-transform/text-transform-capitalize-033.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-bidi-002.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-nesting-002.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-nesting-001.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-bidi-001.html [ Failure ]\ncrbug.com/1219058 external/wpt/css/css-text/letter-spacing/letter-spacing-end-of-line-001.html [ Failure ]\ncrbug.com/1098801 external/wpt/css/css-text/overflow-wrap/overflow-wrap-normal-keep-all-001.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-012.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-013.html [ Failure ]\ncrbug.com/1219041 external/wpt/css/CSS2/text/white-space-nowrap-attribute-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-collapse-preserve-breaks-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-collapse-discard-001.xht [ Failure ]\ncrbug.com/1219041 external/wpt/css/css-text/white-space/text-space-trim-trim-inner-001.xht [ Failure ]\n\n# LayoutNG ref-tests that need to be updated (cannot be rebaselined).\ncrbug.com/591099 [ Linux ] fast/multicol/newmulticol/hide-box-vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/newmulticol/hide-box-vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/span/vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/span/vertical-lr.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/column-break-with-balancing.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/column-break-with-balancing.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/column-count-with-rules.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/column-rules.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/column-rules.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-avoidance.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-avoidance.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-big-line.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-break.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-break.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-content-break.html [ Failure ]\ncrbug.com/591099 fast/multicol/vertical-lr/float-edge.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/float-paginate.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/float-paginate.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/nested-columns.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/nested-columns.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/multicol/vertical-lr/unsplittable-inline-block.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/multicol/vertical-lr/unsplittable-inline-block.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/ellipsis-with-self-painting-layer.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/file-upload-as-multicol.html [ Failure ]\ncrbug.com/1098801 virtual/text-antialias/whitespace/whitespace-in-pre.html [ Failure ]\n\n# LayoutNG failures that needs to be triaged\ncrbug.com/591099 virtual/text-antialias/selection/selection-rect-line-height-too-small.html [ Failure ]\ncrbug.com/591099 fast/css-intrinsic-dimensions/width-avoid-floats.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/selectors/shadow-host-div-with-span.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/selectors/shadow-host-div-with-span.html [ Failure ]\ncrbug.com/591099 [ Linux ] fast/selectors/shadow-host-div-with-text.html [ Failure ]\ncrbug.com/591099 [ Win ] fast/selectors/shadow-host-div-with-text.html [ Failure ]\ncrbug.com/591099 virtual/text-antialias/selection/inline-block-in-selection-root.html [ Failure ]\ncrbug.com/591099 editing/selection/paint-hyphen.html [ Failure Pass ]\ncrbug.com/591099 external/wpt/dom/ranges/Range-compareBoundaryPoints.html [ Failure Pass Skip Timeout ]\ncrbug.com/591099 [ Mac ] virtual/text-antialias/international/shape-across-elements-simple.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/international/shape-across-elements-simple.html [ Failure ]\ncrbug.com/591099 [ Mac ] virtual/text-antialias/word-space-monospace.html [ Failure ]\ncrbug.com/591099 [ Win ] virtual/text-antialias/word-space-monospace.html [ Failure ]\ncrbug.com/591099 [ Mac ] css2.1/t1202-counter-09-b.html [ Failure ]\ncrbug.com/591099 [ Mac ] css2.1/t1202-counters-09-b.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/CSS2/text/white-space-bidirectionality-001.xht [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-multicol/multicol-span-all-list-item-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-multicol/multicol-span-all-list-item-002.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-002.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/text-transform/text-transform-shaping-003.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00C.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-text/word-break/word-break-break-all-004.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-transforms/transform-inline-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-ui/text-overflow-027.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-ui/text-overflow-028.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-embed-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-isolate-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-normal-011.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-override-006.html [ Failure ]\ncrbug.com/591099 [ Mac ] external/wpt/css/css-writing-modes/bidi-plaintext-001.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/content-counter-010.htm [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/content/content-quotes-07.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css/css-properties-position-relative-as-parent-fixed.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css3-text/css3-text-justify/text-justify-crash.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/forms/text/text-lineheight-centering.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/column-count-with-rules.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-big-line.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-content-break.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/multicol/vertical-rl/float-edge.html [ Failure ]\ncrbug.com/591099 [ Mac ] paint/invalidation/box/hover-pseudo-borders.html [ Failure ]\ncrbug.com/591099 [ Mac ] fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-auto.html [ Failure ]\ncrbug.com/591099 [ Mac ] paint/invalidation/flexbox/remove-inline-block-descendant-of-flex.html [ Failure ]\n\n# A few other lines for this test are commented out above to avoid conflicting expectations.\n# If they are not also fixed, reinstate them when removing these lines.\ncrbug.com/982211 fast/events/before-unload-return-value-from-listener.html [ Crash Pass Timeout ]\n\n# WPT css-writing-mode tests failing for various reasons beyond simple pixel diffs\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-005.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-003.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-014.html [ Failure ]\ncrbug.com/1212254 external/wpt/css/css-writing-modes/available-size-013.html [ Failure ]\ncrbug.com/717862 [ Mac ] external/wpt/css/css-writing-modes/mongolian-orientation-002.html [ Failure ]\ncrbug.com/717862 external/wpt/css/css-writing-modes/mongolian-orientation-001.html [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vlr-in-htb-008.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vlr-in-htb-020.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vrl-in-htb-008.xht [ Failure ]\ncrbug.com/750992 external/wpt/css/css-writing-modes/sizing-orthog-vrl-in-htb-020.xht [ Failure ]\n\n### With LayoutNGFragmentItem enabled\ncrbug.com/982194 [ Win7 ] external/wpt/css/css-text/white-space/seg-break-transformation-018.tentative.html [ Failure ]\ncrbug.com/982194 [ Win10.20h2 ] fast/writing-mode/border-image-vertical-lr.html [ Failure Pass ]\n\n### Tests passing with LayoutNGBlockFragmentation enabled:\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/abspos-in-opacity-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/avoid-border-break.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/borders-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/box-shadow.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-at-end-container-edge-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/break-between-avoid-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/fieldset-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/forced-break-at-fragmentainer-start-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow-rl.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/monolithic-with-overflow.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-029.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-030.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-032.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-034.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-035.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-036.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-038.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-039.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-040.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-041.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-042.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-043.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-044.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-045.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-046.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-047.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-052.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-054.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-057.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-058.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-059.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-060.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-061.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-062.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-063.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-065.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-066.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-071.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/out-of-flow-in-multicolumn-073.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflow-clip-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflowed-block-with-no-room-after-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/overflowed-block-with-no-room-after-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/relpos-inline-hit-testing.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/relpos-inline.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/ruby-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/tall-line-in-short-fragmentainer-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/trailing-child-margin-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/trailing-child-margin-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-005.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-break/transform-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-contain/contain-size-monolithic-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-ltr-rtl-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-rtl-ltr-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vlr-rtl-rtl-in-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-ltr-rtl-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-rtl-ltr-in-multicol.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/static-position/vrl-rtl-rtl-in-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-ltr-rtl-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-rtl-ltr-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vlr-rtl-rtl-in-multicols.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-ltr-rtl-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-rtl-ltr-in-multicols.tentative.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-position/multicol/vrl-rtl-rtl-in-multicols.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/abspos-containing-block-outside-spanner.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/balance-break-avoidance-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/balance-orphans-widows-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/baseline-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/fixed-in-multicol-with-transform-container.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/hit-test-transformed-child.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-013.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-fill-balance-014.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-list-item-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-list-item-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-012.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-013.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-015.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-016.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-017.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-018.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-022.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-nested-023.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-oof-inline-cb-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-oof-inline-cb-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-rule-nested-balancing-004.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-scroll-content.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-006.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-007.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-008.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-011.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-014.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-015.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-017.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-fieldset-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-all-margin-bottom-001.xht [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-001.xht [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/multicol-span-float-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/nested-at-outer-boundary-as-fieldset.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/nested-with-too-tall-line.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/non-adjacent-spanners-000.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/orthogonal-writing-mode-spanner.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-002.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/overflow-unsplittable-003.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-001.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-009.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-010.html [ Pass ]\nvirtual/layout_ng_block_frag/external/wpt/css/css-multicol/spanner-fragmentation-011.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/file-upload-as-multicol.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/newmulticol/hide-box-vertical-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/span/vertical-lr.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/abspos-auto-position-on-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-break-with-balancing.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-count-with-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/column-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-avoidance.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-big-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-content-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-edge.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/float-paginate.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/nested-columns.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-lr/unsplittable-inline-block.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/column-count-with-rules.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-big-line.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-content-break.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/float-edge.html [ Pass ]\nvirtual/layout_ng_block_frag/fast/multicol/vertical-rl/nested-columns.html [ Pass ]\n\n### Tests failing with LayoutNGBlockFragmentation enabled:\ncrbug.com/1225630 virtual/layout_ng_block_frag/external/wpt/css/css-multicol/large-actual-column-count.html [ Skip ]\ncrbug.com/1066629 virtual/layout_ng_block_frag/fast/multicol/hit-test-translate-z.html [ Failure ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/infinite-height-causing-fractional-row-height-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/infinitely-tall-content-in-outer-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/insane-column-count-and-padding-nested-crash.html [ Skip ]\ncrbug.com/1225630 virtual/layout_ng_block_frag/fast/multicol/nested-very-tall-inside-short-crash.html [ Skip ]\ncrbug.com/1242348 virtual/layout_ng_block_frag/fast/multicol/tall-line-in-short-block.html [ Failure ]\n\n# Just skip this for Mac11-arm64. It's super-flaky. Not block fragmentation-related.\ncrbug.com/1262048 [ Mac11-arm64 ] virtual/layout_ng_block_frag/* [ Skip ]\n\n### Tests passing with LayoutNGFlexFragmentation enabled:\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-003.html [ Pass ]\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-004.html [ Pass ]\nvirtual/layout_ng_flex_frag/external/wpt/css/css-break/flexbox/flex-container-fragmentation-007.tentative.html [ Pass ]\n\n### Tests failing with LayoutNGFlexFragmentation enabled:\ncrbug.com/660611 virtual/layout_ng_flex_frag/fast/multicol/flexbox/doubly-nested-with-zero-width-flexbox-and-forced-break-crash.html [ Skip ]\ncrbug.com/660611 virtual/layout_ng_flex_frag/fast/multicol/flexbox/flexbox.html [ Failure ]\n\n### Tests passing with LayoutNGGridFragmentation enabled:\nvirtual/layout_ng_grid_frag/external/wpt/css/css-break/grid/grid-item-fragmentation-020.html [ Pass ]\n\n### With LayoutNGPrinting enabled:\n\ncrbug.com/1121942 virtual/layout_ng_printing/printing/fixed-positioned-child-repeats-even-when-html-and-body-are-zero-height.html [ Crash Pass ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/fixed-positioned-child-shouldnt-print.html [ Crash Pass ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/frameset.html [ Failure ]\ncrbug.com/1121942 virtual/layout_ng_printing/printing/webgl-oversized-printing.html [ Skip ]\n\n### Textarea NG\ncrbug.com/1140307 accessibility/inline-text-textarea.html [ Failure ]\n\n### TablesNG\n# crbug.com/958381\n\n# TODO fails because cell size with only input element is 18px, not 15. line-height: 0px fixes it.\ncrbug.com/1171616 external/wpt/css/css-tables/height-distribution/percentage-sizing-of-table-cell-children.html [ Failure ]\n\n# Composited background painting leaves gaps.\ncrbug.com/958381 fast/table/border-collapsing/composited-cell-collapsed-border.html [ Failure ]\ncrbug.com/958381 fast/table/border-collapsing/composited-row-collapsed-border.html [ Failure ]\n\n# Rowspanned cell overflows TD visible rect.\ncrbug.com/958381 external/wpt/css/css-tables/visibility-collapse-rowspan-005.html [ Failure ]\n\n# Mac failures - antialiasing of ref\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-087.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-088.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-089.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-090.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-091.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-092.xht [ Failure ]\ncrbug.com/958381 [ Mac ] virtual/text-antialias/hyphen-min-preferred-width.html [ Failure ]\ncrbug.com/958381 [ Win ] virtual/text-antialias/hyphen-min-preferred-width.html [ Failure ]\ncrbug.com/958381 [ Mac ] fragmentation/single-line-cells-paginated-with-text.html [ Failure ]\n\n# TablesNG ends\n\n# ====== LayoutNG-only failures until here ======\n\n# ====== MathMLCore-only tests from here ======\n\n# These tests fail because we don't support MathML ink metrics.\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-001.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-002.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-003.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-004.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-005.html [ Failure ]\ncrbug.com/1125137 external/wpt/mathml/presentation-markup/fractions/frac-parameters-gap-006.html [ Failure ]\n\n# This test fail because we don't properly center elements in MathML tables.\ncrbug.com/1125111 external/wpt/mathml/presentation-markup/tables/table-003.html [ Failure ]\n\n# These tests fail because some CSS properties affect MathML layout.\ncrbug.com/1227601 external/wpt/mathml/relations/css-styling/ignored-properties-001.html [ Failure Timeout ]\ncrbug.com/1227598 external/wpt/mathml/relations/css-styling/width-height-001.html [ Failure ]\n\n# This test has flaky timeout.\ncrbug.com/1093840 external/wpt/mathml/relations/html5-tree/math-global-event-handlers.tentative.html [ Pass Timeout ]\n\n# These tests fail because we don't parse math display values according to the spec.\ncrbug.com/1127222 external/wpt/mathml/presentation-markup/mrow/legacy-mrow-like-elements-001.html [ Failure ]\n\n# This test fails on windows. It should really be made more reliable and take\n# into account fallback parameters.\ncrbug.com/6606 [ Win ] external/wpt/mathml/presentation-markup/fractions/frac-1.html [ Failure ]\n\n# Tests failing only on certain platforms.\ncrbug.com/6606 [ Win ] external/wpt/mathml/presentation-markup/operators/mo-axis-height-1.html [ Failure ]\ncrbug.com/6606 [ Mac ] external/wpt/mathml/relations/text-and-math/use-typo-metrics-1.html [ Failure ]\n\n# These tests fail because we don't support the MathML href attribute, which is\n# not part of MathML Core Level 1.\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-1.html [ Failure ]\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-2.html [ Failure ]\ncrbug.com/6606 external/wpt/mathml/relations/html5-tree/href-click-3.html [ Failure ]\n\n# These tests fail because they require full support for new text-transform\n# values and mathvariant attribute. Currently, we only support the new\n# text-transform: auto, use the UA rule for the <mi> element and map\n# mathvariant=\"normal\" to \"text-transform: none\".\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-fraktur-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-sans-serif-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-bold-script-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-double-struck-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-fraktur-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-initial-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-looped-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-monospace-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-bold-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-sans-serif-italic-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-script-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-stretched-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/css/css-text/text-transform/math/text-transform-math-tailed-001.tentative.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-fraktur.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-sans-serif.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold-script.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-bold.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-case-sensitivity.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-double-struck.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-fraktur.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-initial.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-looped.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-monospace.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif-bold-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif-italic.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-sans-serif.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-script.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-stretched.html [ Failure ]\ncrbug.com/1076420 external/wpt/mathml/relations/css-styling/mathvariant-tailed.html [ Failure ]\n\n# ====== Style team owned tests from here ======\n\ncrbug.com/753671 external/wpt/css/css-content/quotes-001.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.15 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac11 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-007.html [ Failure ]\ncrbug.com/753671 [ Mac ] external/wpt/css/css-content/quotes-009.html [ Failure ]\ncrbug.com/753671 [ Mac10.12 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 [ Mac10.13 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 [ Mac10.14 ] external/wpt/css/css-content/quotes-012.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-013.html [ Failure ]\ncrbug.com/753671 [ Mac ] external/wpt/css/css-content/quotes-014.html [ Failure ]\ncrbug.com/753671 [ Mac10.15 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/753671 [ Mac11 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-021.html [ Failure ]\ncrbug.com/753671 external/wpt/css/css-content/quotes-022.html [ Failure ]\n\ncrbug.com/995106 external/wpt/css/css-lists/inline-block-list.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-block-list-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-lists/inline-list-with-table-child.html [ Failure ]\ncrbug.com/1012289 external/wpt/css/css-lists/list-style-type-string-005b.html [ Failure ]\n\n# css-pseudo\ncrbug.com/1163437 external/wpt/css/css-pseudo/grammar-spelling-errors-001.html [ Failure ]\ncrbug.com/1163437 external/wpt/css/css-pseudo/grammar-spelling-errors-002.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-001.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-002.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-003.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/highlight-painting-004.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-pseudo/first-letter-exclude-inline-marker.html [ Failure ]\ncrbug.com/995106 external/wpt/css/css-pseudo/first-letter-exclude-inline-child-marker.html [ Failure ]\ncrbug.com/1172333 external/wpt/css/css-pseudo/first-letter-digraph.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-001.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/spelling-error-color-dynamic-004.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-001.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-003.html [ Failure ]\ncrbug.com/1035708 wpt_internal/css/css-pseudo/grammar-error-color-dynamic-004.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-pseudo/target-text-004.html [ Failure ]\ncrbug.com/1179938 external/wpt/css/css-pseudo/target-text-006.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-001.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-002.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-003.html [ Failure ]\ncrbug.com/1035708 external/wpt/css/css-pseudo/target-text-dynamic-004.html [ Failure ]\n\ncrbug.com/1205953 external/wpt/css/css-will-change/will-change-fixpos-cb-position-1.html [ Failure ]\ncrbug.com/1207788 external/wpt/css/css-will-change/will-change-stacking-context-mask-1.html [ Failure ]\n\n# color() function not implemented\ncrbug.com/1068610 external/wpt/css/css-color/predefined-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-011.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-007.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-012.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-016.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-006.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-009.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/predefined-010.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/a98rgb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/lab-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/lch-008.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/prophoto-rgb-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/rec2020-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/hwb-005.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-001.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-002.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-003.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-004.html [ Failure ]\ncrbug.com/1068610 external/wpt/css/css-color/xyz-005.html [ Failure ]\n\n# @supports\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-040.xht [ Failure ]\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-041.xht [ Failure ]\ncrbug.com/1158554 external/wpt/css/css-conditional/css-supports-042.xht [ Failure ]\n\n# @container\n# The container-queries/ tests are only valid when the runtime flag\n# CSSContainerQueries is enabled.\n#\n# The css-contain/ tests are only valid when the runtime flag CSSContainSize1D\n# is enabled.\n#\n# Both these flags are enabled in virtual/container-queries/\ncrbug.com/1145970 wpt_internal/css/css-conditional/container-queries/* [ Skip ]\ncrbug.com/1146092 wpt_internal/css/css-contain/* [ Skip ]\ncrbug.com/1145970 virtual/container-queries/* [ Pass ]\ncrbug.com/1249468 virtual/container-queries/wpt_internal/css/css-conditional/container-queries/block-size-and-min-height.html [ Failure ]\ncrbug.com/829028 virtual/container-queries/wpt_internal/css/css-contain/multicol-block-size.html [ Failure ]\ncrbug.com/829028 virtual/container-queries/wpt_internal/css/css-contain/multicol-inline-size.html [ Failure ]\n\n# CSS Scrollbars\ncrbug.com/891944 external/wpt/css/css-scrollbars/textarea-scrollbar-width-none.html [ Failure ]\ncrbug.com/891944 external/wpt/css/css-scrollbars/transparent-on-root.html [ Failure ]\n# Incorrect native scrollbar repaint\ncrbug.com/891944 [ Mac ] external/wpt/css/css-scrollbars/scrollbar-width-paint-001.html [ Failure ]\n\n# css-variables\n\ncrbug.com/1220145 external/wpt/css/css-variables/variable-declaration-29.html [ Failure ]\ncrbug.com/1220145 external/wpt/css/css-variables/variable-supports-58.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-declaration-07.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-declaration-09.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-reference-06.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-reference-11.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-05.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-07.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-37.html [ Failure ]\ncrbug.com/1220148 external/wpt/css/css-variables/variable-supports-39.html [ Failure ]\ncrbug.com/1220149 external/wpt/css/css-variables/variable-supports-57.html [ Failure ]\n\n# css-nesting\ncrbug.com/1095675 external/wpt/css/selectors/nesting.html [ Failure ]\n\n# ====== Style team owned tests to here ======\n\n# Failing WPT html/semantics/* tests. Not all have been investigated.\ncrbug.com/1233659 external/wpt/html/semantics/embedded-content/the-embed-element/embed-represent-nothing-04.html [ Failure ]\ncrbug.com/1234202 external/wpt/html/semantics/embedded-content/the-video-element/video_initially_paused.html [ Failure ]\ncrbug.com/1234841 external/wpt/html/semantics/grouping-content/the-li-element/grouping-li-reftest-list-owner-menu.html [ Failure ]\ncrbug.com/1234841 external/wpt/html/semantics/grouping-content/the-li-element/grouping-li-reftest-list-owner-skip-no-boxes.html [ Failure ]\ncrbug.com/1167095 external/wpt/html/semantics/forms/form-submission-0/text-plain.window.html [ Pass Timeout ]\ncrbug.com/853146 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_allow_top_navigation-1.html [ Timeout ]\ncrbug.com/853146 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_allow_top_navigation-3.html [ Timeout ]\ncrbug.com/1132413 external/wpt/html/semantics/scripting-1/the-script-element/json-module/parse-error.html [ Timeout ]\ncrbug.com/1232504 external/wpt/html/semantics/embedded-content/media-elements/src_object_blob.html [ Timeout ]\ncrbug.com/1232504 [ Win ] external/wpt/html/semantics/embedded-content/media-elements/ready-states/autoplay-hidden.optional.html [ Timeout ]\ncrbug.com/1234199 [ Linux ] external/wpt/html/semantics/embedded-content/the-object-element/object-events.html [ Skip ]\ncrbug.com/1234199 [ Mac ] external/wpt/html/semantics/embedded-content/the-object-element/object-events.html [ Skip ]\ncrbug.com/1232504 [ Mac11 ] external/wpt/html/semantics/embedded-content/media-elements/interfaces/TextTrackCue/endTime.html [ Failure Timeout ]\ncrbug.com/1232504 [ Mac11 ] external/wpt/html/semantics/embedded-content/media-elements/preserves-pitch.html [ Timeout ]\n\n# XML nodes aren't match by .class selectors:\ncrbug.com/649444 external/wpt/css/selectors/xml-class-selector.xml [ Failure ]\n\n# Bug in <select multiple> tap behavior:\ncrbug.com/1045672 fast/forms/select/listbox-tap.html [ Failure ]\n\n### sheriff 2019-07-16\ncrbug.com/983799 [ Win ] http/tests/navigation/redirect-on-back-updates-history-item.html [ Pass Timeout ]\n\n### sheriff 2018-05-28\n\ncrbug.com/767269 [ Win ] inspector-protocol/layout-fonts/cjk-ideograph-fallback-by-lang.js [ Failure Pass ]\n\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile-blink-gc.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile-blink-gc.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-profile-partition-alloc.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-profile-partition-alloc.js [ Skip ]\ncrbug.com/803276 [ Mac ] inspector-protocol/memory/sampling-native-snapshot.js [ Skip ]\ncrbug.com/803276 [ Win ] inspector-protocol/memory/sampling-native-snapshot.js [ Skip ]\n\n# For win10, see crbug.com/955109\ncrbug.com/538697 [ Win ] printing/webgl-oversized-printing.html [ Crash Failure ]\n\ncrbug.com/904592 css3/filters/backdrop-filter-svg.html [ Failure ]\ncrbug.com/904592 [ Linux ] virtual/scalefactor200/css3/filters/backdrop-filter-svg.html [ Pass ]\ncrbug.com/904592 [ Win ] virtual/scalefactor200/css3/filters/backdrop-filter-svg.html [ Pass ]\n\ncrbug.com/280342 http/tests/media/progress-events-generated-correctly.html [ Failure Pass ]\n\ncrbug.com/520736 [ Win7 ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\ncrbug.com/520736 [ Linux ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\ncrbug.com/909095 [ Mac ] media/W3C/video/networkState/networkState_during_progress.html [ Failure Pass ]\n\n# Hiding video::-webkit-media-controls breaks --force-overlay-fullscreen-video.\ncrbug.com/1093447 virtual/android/fullscreen/rendering/backdrop-video.html [ Failure ]\n\n# gpuBenchmarking.pinchBy is busted on desktops for touchscreen pinch\ncrbug.com/787615 [ Win ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Failure Pass ]\ncrbug.com/787615 [ Win ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Failure Pass ]\ncrbug.com/787615 [ Linux ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Failure Pass ]\n\n# gpuBenchmarking.pinchBy is not implemented on Mac for touchscreen pinch\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-out-slow.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow-desktop.html [ Skip ]\ncrbug.com/613672 [ Mac ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-desktop.html [ Skip ]\n\ncrbug.com/520188 [ Win ] http/tests/local/fileapi/file-last-modified-after-delete.html [ Failure Pass ]\ncrbug.com/520611 [ Debug ] fast/filesystem/workers/file-writer-events-shared-worker.html [ Failure Pass ]\ncrbug.com/520194 http/tests/xmlhttprequest/timeout/xmlhttprequest-timeout-worker-overridesexpires.html [ Failure Pass ]\n\ncrbug.com/892032 fast/events/wheel/wheel-latched-scroll-node-removed.html [ Failure Pass ]\n\ncrbug.com/1051136 fast/forms/select/listbox-overlay-scrollbar.html [ Failure ]\n\n# These performance-sensitive user-timing tests are flaky in debug on all platforms, and flaky on all configurations of windows.\n# See: crbug.com/567965, crbug.com/518992, and crbug.com/518993\n\ncrbug.com/432129 html/marquee/marquee-scroll.html [ Failure Pass ]\ncrbug.com/326139 crbug.com/390125 media/video-frame-accurate-seek.html [ Failure Pass ]\ncrbug.com/421283 html/marquee/marquee-scrollamount.html [ Failure Pass ]\n\n# TODO(oshima): Mac Android are currently not supported.\ncrbug.com/567837 [ Mac ] virtual/scalefactor200withzoom/fast/hidpi/static/* [ Skip ]\n\n# TODO(oshima): Move the event scaling code to eventSender and remove this.\ncrbug.com/567837 virtual/scalefactor200/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 virtual/scalefactor200/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 virtual/scalefactor200withzoom/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/mousewheel-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/mousewheel-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/gesture-scroll-amount.html [ Failure Timeout ]\ncrbug.com/567837 [ Linux ] virtual/scalefactor150/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\ncrbug.com/567837 [ Win ] virtual/scalefactor150/fast/hidpi/static/popup-menu-with-scrollbar-appearance.html [ Failure Timeout ]\n\n# TODO(ojan): These tests aren't flaky. See crbug.com/517144.\n# Release trybots run asserts, but the main waterfall ones don't. So, even\n# though this is a non-flaky assert failure, we need to mark it [ Pass Crash ].\ncrbug.com/389648 crbug.com/517123 crbug.com/410145 fast/text-autosizing/table-inflation-crash.html [ Crash Pass Timeout ]\n\ncrbug.com/876732 [ Win ] fast/dom/HTMLImageElement/image-srcset-w-onerror.html [ Failure Pass ]\n\n# Only virtual/threaded version of these tests pass (or running them with --enable-threaded-compositing).\ncrbug.com/936891 fast/scrolling/document-level-touchmove-event-listener-passive-by-default.html [ Failure ]\ncrbug.com/936891 virtual/threaded-prefer-compositing/fast/scrolling/document-level-touchmove-event-listener-passive-by-default.html [ Pass ]\n\ncrbug.com/498539 http/tests/devtools/tracing/timeline-misc/timeline-bound-function.js [ Failure Pass ]\n\ncrbug.com/498539 crbug.com/794869 crbug.com/798548 crbug.com/946716 http/tests/devtools/elements/styles-4/styles-update-from-js.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/889952 fast/selectors/selection-window-inactive.html [ Failure Pass ]\n\ncrbug.com/731731 inspector-protocol/layers/paint-profiler-load-empty.js [ Failure Pass ]\ncrbug.com/1107923 inspector-protocol/debugger/wasm-streaming-url.js [ Failure Pass Timeout ]\n\n# Script let/const redeclaration errors\ncrbug.com/1042162 http/tests/inspector-protocol/console/console-let-const-with-api.js [ Failure Pass ]\n\n# Will be re-enabled and rebaselined once we remove the '--enable-file-cookies' flag.\ncrbug.com/470482 fast/cookies/local-file-can-set-cookies.html [ Skip ]\n\n# Text::inDocument() returns false but should not.\ncrbug.com/264138 dom/legacy_dom_conformance/xhtml/level3/core/nodecomparedocumentposition38.xhtml [ Failure ]\n\ncrbug.com/411164 [ Win ] http/tests/security/powerfulFeatureRestrictions/serviceworker-on-insecure-origin.html [ Pass ]\n\ncrbug.com/686118 http/tests/security/setDomainRelaxationForbiddenForURLScheme.html [ Crash Pass ]\n\n# Flaky tests on Mac after enabling scroll animations in web_tests\ncrbug.com/944583 [ Mac ] fast/events/keyboard-scroll-by-page.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-xy-in-scrolling-div.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-xy-in-scrolling-page.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/space-scroll-textinput-canceled.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/scrolling/percentage-mousewheel-scroll-on-iframe.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/scrolling/percentage-mousewheel-scroll.html [ Failure Pass ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-x-in-scrolling-page.html [ Failure Pass Timeout ]\ncrbug.com/944583 [ Mac ] fast/events/platform-wheelevent-paging-y-in-scrolling-page.html [ Failure Pass Timeout ]\n# Sheriff: 2020-05-18\ncrbug.com/1083820 [ Mac ] fast/scrolling/document-level-wheel-event-listener-passive-by-default.html [ Failure Pass ]\n\n# In external/wpt/html/, we prefer checking in failure\n# expectation files. The following tests with [ Failure ] don't have failure\n# expectation files because they contain local path names.\n# Use crbug.com/490511 for untriaged failures.\ncrbug.com/749492 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/009.html [ Skip ]\ncrbug.com/490511 external/wpt/html/browsers/offline/application-cache-api/api_update.https.html [ Failure Pass ]\ncrbug.com/108417 external/wpt/html/rendering/non-replaced-elements/tables/table-border-1.html [ Failure ]\ncrbug.com/490511 external/wpt/html/rendering/non-replaced-elements/the-hr-element-0/color.html [ Failure ]\ncrbug.com/490511 external/wpt/html/rendering/non-replaced-elements/the-hr-element-0/width.html [ Failure ]\ncrbug.com/692560 external/wpt/html/semantics/document-metadata/styling/LinkStyle.html [ Failure Pass ]\n\ncrbug.com/860211 [ Mac ] external/wpt/editing/run/delete.html [ Failure ]\n\ncrbug.com/821455 editing/pasteboard/drag-files-to-editable-element.html [ Failure ]\n\ncrbug.com/1170052 external/wpt/mediacapture-streams/MediaStreamTrack-MediaElement-disabled-audio-is-silence.https.html [ Pass Timeout ]\ncrbug.com/1174937 virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-clone.https.html [ Crash ]\ncrbug.com/1174937 external/wpt/mediacapture-streams/MediaStream-clone.https.html [ Crash ]\n\ncrbug.com/766135 fast/dom/Window/redirect-with-timer.html [ Pass Timeout ]\n\n# Ref tests that needs investigation.\ncrbug.com/404597 fast/forms/long-text-in-input.html [ Skip ]\ncrbug.com/552494 virtual/prefer_compositing_to_lcd_text/scrollbars/overflow-scrollbar-combinations.html [ Failure Pass ]\n\ncrbug.com/305376 external/wpt/css/css-overflow/webkit-line-clamp-018.html [ Failure ]\ncrbug.com/305376 external/wpt/css/css-overflow/webkit-line-clamp-024.html [ Failure ]\n\ncrbug.com/745905 external/wpt/css/css-ui/text-overflow-021.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-rtl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-lr-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-lr-rtl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-rl-001.html [ Failure ]\ncrbug.com/745905 external/wpt/css/css-overflow/text-overflow-scroll-vertical-rl-rtl-001.html [ Failure ]\n\ncrbug.com/1067031 external/wpt/css/css-overflow/webkit-line-clamp-035.html [ Failure ]\n\ncrbug.com/424365 external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-024.html [ Failure ]\ncrbug.com/441840 [ Win ] external/wpt/css/css-shapes/shape-outside/values/shape-margin-001.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-circle-004.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-circle-005.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-ellipse-004.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-ellipse-005.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-inset-003.html [ Failure ]\ncrbug.com/441840 external/wpt/css/css-shapes/shape-outside/values/shape-outside-polygon-004.html [ Failure ]\ncrbug.com/441840 [ Win ] external/wpt/css/css-shapes/shape-outside/values/shape-outside-shape-arguments-000.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-008.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-006.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-005.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-016.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-013.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-011.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-014.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-012.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-015.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-010.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-009.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-043.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-048.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-023.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-027.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-022.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-008.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/polygon/shape-outside-polygon-024.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-011.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-046.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-052.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-051.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-010.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/inset/shape-outside-inset-026.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-012.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-049.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-047.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-009.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-053.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/ellipse/shape-outside-ellipse-050.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-006.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/circle/shape-outside-circle-037.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/supported-shapes/polygon/shape-outside-polygon-025.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-007.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-box/shape-outside-border-box-border-radius-005.html [ Failure ]\ncrbug.com/1129522 external/wpt/css/css-shapes/shape-outside/shape-image/gradients/shape-outside-linear-gradient-007.html [ Failure ]\n\ncrbug.com/1024331 external/wpt/css/css-text/hyphens/hyphens-out-of-flow-001.html [ Failure ]\ncrbug.com/1024331 external/wpt/css/css-text/hyphens/hyphens-out-of-flow-002.html [ Failure ]\ncrbug.com/1140728 external/wpt/css/css-text/hyphens/hyphens-span-002.html [ Failure ]\ncrbug.com/1139693 virtual/text-antialias/hyphens/midword-break-priority.html [ Failure ]\n\ncrbug.com/1250257 external/wpt/css/css-text/tab-size/tab-size-block-ancestor.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-001.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-002.html [ Failure ]\ncrbug.com/921318 external/wpt/css/css-text/tab-size/tab-size-spacing-003.html [ Failure ]\ncrbug.com/970200 external/wpt/css/css-text/text-indent/text-indent-tab-positions-001.html [ Failure ]\ncrbug.com/1030452 external/wpt/css/css-text/text-transform/text-transform-upperlower-016.html [ Failure ]\n\ncrbug.com/1008029 [ Mac ] external/wpt/css/css-text/white-space/pre-wrap-018.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/pre-wrap-019.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/textarea-pre-wrap-012.html [ Failure ]\ncrbug.com/1008029 external/wpt/css/css-text/white-space/textarea-pre-wrap-013.html [ Failure ]\n\n# Handling of trailing other space separator\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-001.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-002.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-003.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-other-space-separators-004.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-ideographic-space-001.html [ Failure ]\ncrbug.com/1129834 external/wpt/css/css-text/white-space/trailing-ideographic-space-002.html [ Failure ]\n\ncrbug.com/1162836 external/wpt/css/css-text/white-space/full-width-leading-spaces-004.html [ Failure ]\n\n# Follow up the spec change for U+2010, U+2013\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-loose-hyphens-001.html [ Failure ]\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-normal-hyphens-002.html [ Failure ]\ncrbug.com/1052717 external/wpt/css/css-text/line-break/line-break-strict-hyphens-002.html [ Failure ]\n\n# Inseparable characters\ncrbug.com/1091631 external/wpt/css/css-text/line-break/line-break-normal-015a.xht [ Failure ]\ncrbug.com/1091631 external/wpt/css/css-text/line-break/line-break-strict-015a.xht [ Failure ]\n\n# Link event firing\ncrbug.com/922618 external/wpt/html/semantics/document-metadata/the-link-element/link-multiple-error-events.html [ Timeout ]\ncrbug.com/922618 external/wpt/html/semantics/document-metadata/the-link-element/link-multiple-load-events.html [ Timeout ]\n\n# crbug.com/1095379: These are flaky-slow, but are already present in SlowTests\ncrbug.com/73609 http/tests/media/video-play-stall.html [ Pass Skip Timeout ]\ncrbug.com/518987 http/tests/xmlhttprequest/navigation-abort-detaches-frame.html [ Pass Skip Timeout ]\ncrbug.com/538717 [ Win ] http/tests/permissions/chromium/test-request-worker.html [ Pass Skip Timeout ]\ncrbug.com/802029 [ Debug Mac10.13 ] fast/dom/shadow/focus-controller-recursion-crash.html [ Pass Skip Timeout ]\ncrbug.com/829740 fast/history/history-back-twice-with-subframes-assert.html [ Pass Skip Timeout ]\ncrbug.com/836783 fast/peerconnection/RTCRtpSender-setParameters.html [ Pass Skip Timeout ]\n\n# crbug.com/1218715 This fails when PartitionConnectionsByNetworkIsolationKey is enabled.\ncrbug.com/1218715 external/wpt/content-security-policy/reporting-api/reporting-api-works-on-frame-ancestors.https.sub.html [ Failure ]\n\n# Sheriff 2021-05-25\ncrbug.com/1209900 fast/peerconnection/RTCPeerConnection-reload-sctptransport.html [ Failure Pass ]\n\ncrbug.com/846981 fast/webgl/texImage-imageBitmap-from-imageData-resize.html [ Pass Skip Timeout ]\n\n# crbug.com/1095379: These fail with a timeout, even when they're given extra time (via SlowTests)\ncrbug.com/846656 external/wpt/css/selectors/focus-visible-002.html [ Pass Skip Timeout ]\ncrbug.com/1135405 http/tests/devtools/sources/debugger-pause/debugger-pause-infinite-loop.js [ Pass Skip Timeout ]\ncrbug.com/1018064 [ Mac ] virtual/threaded/http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-end-to-end.js [ Pass Skip Timeout ]\ncrbug.com/1034789 [ Mac ] http/tests/security/frameNavigation/xss-ALLOWED-parent-navigation-change-async.html [ Pass Timeout ]\ncrbug.com/1105957 [ Debug Linux ] fast/dom/cssTarget-crash.html [ Pass Timeout ]\ncrbug.com/915903 http/tests/security/inactive-document-with-empty-security-origin.html [ Pass Timeout ]\ncrbug.com/1146221 [ Linux ] http/tests/devtools/sources/debugger-ui/debugger-inline-values.js [ Pass Skip Timeout ]\ncrbug.com/1146221 [ Mac11-arm64 ] http/tests/devtools/sources/debugger-ui/debugger-inline-values.js [ Pass Skip Timeout ]\ncrbug.com/987138 [ Linux ] media/controls/doubletap-to-jump-forwards.html [ Pass Timeout ]\ncrbug.com/987138 [ Win ] media/controls/doubletap-to-jump-forwards.html [ Pass Timeout ]\ncrbug.com/1122742 http/tests/devtools/sources/debugger/source-frame-inline-breakpoint-decorations.js [ Pass Skip Timeout ]\ncrbug.com/867532 [ Linux ] http/tests/workers/worker-usecounter.html [ Pass Timeout ]\ncrbug.com/1002377 external/wpt/service-workers/service-worker/update-bytecheck.https.html [ Pass Skip Timeout ]\ncrbug.com/1002377 external/wpt/service-workers/service-worker/update-bytecheck-cors-import.https.html [ Pass Skip Timeout ]\ncrbug.com/805756 external/wpt/html/semantics/tabular-data/processing-model-1/span-limits.html [ Pass Skip Timeout ]\n\n# crbug.com/1218716: These fail when TrustTokenOriginTrial is enabled.\ncrbug.com/1218716 external/wpt/trust-tokens/trust-token-parameter-validation-xhr.tentative.https.html [ Failure ]\ncrbug.com/1218716 external/wpt/trust-tokens/trust-token-parameter-validation.tentative.https.html [ Failure ]\ncrbug.com/1218716 external/wpt/feature-policy/experimental-features/trust-token-redemption-default-feature-policy.tentative.https.sub.html [ Failure ]\ncrbug.com/1218716 external/wpt/feature-policy/experimental-features/trust-token-redemption-supported-by-feature-policy.tentative.html [ Failure ]\ncrbug.com/1218716 external/wpt/permissions-policy/experimental-features/trust-token-redemption-default-permissions-policy.tentative.https.sub.html [ Failure ]\ncrbug.com/1218716 external/wpt/permissions-policy/experimental-features/trust-token-redemption-supported-by-permissions-policy.tentative.html [ Failure ]\n\n# crbug.com/1095379: These three time out 100% of the time across all platforms:\ncrbug.com/919789 images/image-click-scale-restore-zoomed-image.html [ Timeout ]\ncrbug.com/919789 images/image-zoom-to-25.html [ Timeout ]\ncrbug.com/919789 images/image-zoom-to-500.html [ Timeout ]\n\n# Sheriff 2020-02-06\n# Flaking on Linux Leak\ncrbug.com/1049599 [ Linux ] virtual/threaded-prefer-compositing/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-08-19\ncrbug.com/626703 [ Win7 ] external/wpt/html/dom/documents/resource-metadata-management/document-lastModified-01.html [ Failure ]\n\n# These are added to W3CImportExpectations as Skip, remove when next import is done.\ncrbug.com/666657 external/wpt/css/css-text/hanging-punctuation/* [ Skip ]\n\ncrbug.com/909597 external/wpt/css/css-ui/text-overflow-ruby.html [ Failure ]\n\ncrbug.com/1005518 external/wpt/css/css-writing-modes/direction-upright-001.html [ Failure ]\ncrbug.com/1005518 external/wpt/css/css-writing-modes/direction-upright-002.html [ Failure ]\n\n# crbug.com/1218721: These tests fail when libvpx_for_vp8 is enabled.\ncrbug.com/1218721 fast/borders/border-radius-mask-video-shadow.html [ Failure ]\ncrbug.com/1218721 fast/borders/border-radius-mask-video.html [ Failure ]\ncrbug.com/1218721 [ Mac ] http/tests/media/video-frame-size-change.html [ Failure ]\n\ncrbug.com/637055 fast/css/outline-offset-large.html [ Skip ]\n\n# Either \"combo\" or split should run: http://testthewebforward.org/docs/css-naming.html\ncrbug.com/410320 external/wpt/css/css-writing-modes/orthogonal-parent-shrink-to-fit-001.html [ Skip ]\n\n# These tests pass but images do not match because of wrong half-leading in vertical-lr\n\n# These tests pass but images do not match because of position: absolute in vertical flow bug\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-003.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-005.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-007.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vlr-009.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-002.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-004.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-006.xht [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/clip-rect-vrl-008.xht [ Failure ]\n\n# These tests pass but images do not match because tests are stricter than the spec.\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-001.html [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-002.html [ Failure ]\ncrbug.com/492664 external/wpt/css/css-writing-modes/text-combine-upright-value-all-003.html [ Failure ]\n\n# We're experimenting with changing the behavior of the 'nonce' attribute\n\n# These CSS Writing Modes Level 3 tests pass but causes 1px diff on images, notified to the submitter.\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vlr-008.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vlr-020.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vrl-008.xht [ Failure ]\ncrbug.com/492664 [ Mac ] external/wpt/css/css-writing-modes/sizing-orthog-htb-in-vrl-020.xht [ Failure ]\n\ncrbug.com/381684 [ Mac ] fonts/family-fallback-gardiner.html [ Skip ]\ncrbug.com/381684 [ Win ] fonts/family-fallback-gardiner.html [ Skip ]\n\ncrbug.com/377696 printing/setPrinting.html [ Failure ]\n\ncrbug.com/1204498 external/wpt/service-workers/service-worker/client-navigate.https.html [ Failure Pass ]\ncrbug.com/1223681 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/client-navigate.https.html [ Failure Pass Skip Timeout ]\n\n# crbug.com/1218723 This test fails when SplitCacheByNetworkIsolationKey is enabled.\ncrbug.com/1218723 http/tests/devtools/network/network-prefetch.js [ Failure ]\n\n# Method needs to be renamed.\ncrbug.com/1253323 http/tests/devtools/network/network-persistence-filename-safety.js [ Skip ]\n\n# No support for WPT print-reftests:\ncrbug.com/1090628 external/wpt/infrastructure/reftest/reftest_match-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/infrastructure/reftest/reftest_match_fail-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-after-2-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-before-2-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-after-1-print.html [ Failure ]\ncrbug.com/1090628 external/wpt/html/rendering/the-details-element/details-page-break-before-1-print.html [ Failure ]\n\ncrbug.com/1051044 external/wpt/css/filter-effects/effect-reference-feimage-001.html [ Failure Pass ]\ncrbug.com/1051044 external/wpt/css/filter-effects/effect-reference-feimage-003.html [ Failure Pass ]\n\ncrbug.com/524160 [ Debug ] http/tests/media/media-source/stream_memory_tests/mediasource-appendbuffer-quota-exceeded-default-buffers.html [ Timeout ]\n\n# On these platforms (all but Android) media tests don't currently use gpu-accelerated (proprietary) codecs, so no\n# benefit to running them again with gpu acceleration enabled.\ncrbug.com/555703 [ Linux ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Mac ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Win ] virtual/media-gpu-accelerated/* [ Skip ]\ncrbug.com/555703 [ Fuchsia ] virtual/media-gpu-accelerated/* [ Skip ]\n\ncrbug.com/467477 fast/multicol/vertical-rl/nested-columns.html [ Failure ]\ncrbug.com/1262980 fast/multicol/infinitely-tall-content-in-outer-crash.html [ Pass Timeout ]\n\ncrbug.com/400841 media/video-canvas-draw.html [ Failure ]\n\n# switching to apache-win32: needs triaging.\ncrbug.com/528062 [ Win ] http/tests/css/missing-repaint-after-slow-style-sheet.pl [ Failure ]\ncrbug.com/528062 [ Win ] http/tests/local/blob/send-data-blob.html [ Failure Timeout ]\ncrbug.com/528062 [ Win ] http/tests/local/blob/send-hybrid-blob.html [ Failure Timeout ]\ncrbug.com/528062 [ Win ] http/tests/security/XFrameOptions/x-frame-options-cached.html [ Failure ]\ncrbug.com/528062 [ Win ] http/tests/security/contentSecurityPolicy/cached-frame-csp.html [ Failure ]\n\n# When drawing subpixel smoothed glyphs, CoreGraphics will fake bold the glyphs.\n# In this configuration, the pixel smoothed glyphs will be created from subpixel smoothed glyphs.\n# This means that CoreGraphics may draw outside the reported glyph bounds, and in this case does.\n# By about a quarter or less of a pixel.\ncrbug.com/997202 [ Mac ] virtual/text-antialias/international/bdo-bidi-width.html [ Failure ]\n\ncrbug.com/574283 [ Mac ] fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-anchors.html [ Skip ]\ncrbug.com/574283 [ Mac ] virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/fixed-background-in-iframe.html [ Skip ]\ncrbug.com/574283 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/main-thread-scrolling-reason-correctness.html [ Skip ]\ncrbug.com/574283 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/mousewheel-scroll-interrupted.html [ Skip ]\n\ncrbug.com/599670 [ Win ] http/tests/devtools/resource-parameters-ipv6.js [ Crash Failure Pass ]\ncrbug.com/472330 fast/borders/border-image-outset-split-inline-vertical-lr.html [ Failure ]\ncrbug.com/472330 fast/writing-mode/box-shadow-vertical-lr.html [ Failure ]\ncrbug.com/472330 fast/writing-mode/box-shadow-vertical-rl.html [ Failure ]\n\ncrbug.com/346473 fast/events/drag-on-mouse-move-cancelled.html [ Failure ]\n\n# These tests are skipped as there is no touch support on Mac.\ncrbug.com/613672 [ Mac ] fast/events/pointerevents/multi-pointer-event-in-slop-region.html [ Skip ]\n\n# In addition to having no support on Mac, the following test times out\n# regularly on Windows.\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scroll.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scroll-by-page.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-touchpad-fling.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-touchscreen-fling.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar-mainframe.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/gesture-scrollbar.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-noscroll-body-xhidden.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-noscroll-body-yhidden.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div-past-extent-diagonally.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div-zoomed.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-div.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-iframe-editable.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-iframe.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-input-field.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page-past-extent.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page-zoomed.html [ Skip ]\ncrbug.com/613672 [ Mac ] fast/events/touch/gesture/touch-gesture-scroll-page.html [ Skip ]\n\n# Since there is no compositor thread when running tests then there is no main thread event queue. Hence the\n# logic for this test will be skipped when running Layout tests.\ncrbug.com/770028 external/wpt/pointerevents/pointerlock/pointerevent_getPredictedEvents_when_pointerlocked-manual.html [ Skip ]\ncrbug.com/770028 external/wpt/pointerevents/pointerevent_predicted_events_attributes-manual.html [ Skip ]\n\n# crbug.com/1218729 These tests fail when InterestCohortAPIOriginTrial is enabled.\ncrbug.com/1218729 http/tests/origin_trials/webexposed/interest-cohort-origin-trial-interfaces.html [ Failure ]\ncrbug.com/1218729 virtual/stable/webexposed/feature-policy-features.html [ Failure ]\n\n# This test relies on racy should_send_resource_timing_info_to_parent() flag being sent between processes.\ncrbug.com/957181 external/wpt/resource-timing/nested-context-navigations-iframe.html [ Failure Pass ]\n\n# During work on crbug.com/1171767, we discovered a bug demonstrable through\n# WPT. Marking as a failing test until we update our implementation.\ncrbug.com/1223118 external/wpt/resource-timing/initiator-type/link.html [ Failure ]\n\n# Chrome touch-action computation ignores div transforms.\ncrbug.com/715148 external/wpt/pointerevents/pointerevent_touch-action-rotated-divs_touch-manual.html [ Skip ]\n\ncrbug.com/654999 [ Win ] fast/forms/color/color-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\ncrbug.com/654999 [ Linux ] fast/forms/color/color-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\n\ncrbug.com/658304 [ Win ] fast/forms/select/input-select-after-resize.html [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-001.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-002.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-003.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-004.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-005.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-005a.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-006.html [ Failure ]\ncrbug.com/736319 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/text-combine-upright-compression-006a.html [ Failure ]\n\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-11.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-12.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-13.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-14.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-15.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-16.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-19.html [ Failure ]\ncrbug.com/1029069 external/wpt/css/css-fonts/standard-font-family-20.html [ Failure ]\n\ncrbug.com/1058772 external/wpt/css/css-fonts/test-synthetic-italic-2.html [ Failure ]\ncrbug.com/1058772 external/wpt/css/css-fonts/test-synthetic-italic-3.html [ Failure ]\n\ncrbug.com/1191718 external/wpt/css/css-text-decor/text-decoration-thickness-percent-001.html [ Failure ]\n\ncrbug.com/752449 [ Mac10.14 ] external/wpt/css/css-fonts/matching/fixed-stretch-style-over-weight.html [ Failure ]\ncrbug.com/752449 [ Mac10.12 ] external/wpt/css/css-fonts/matching/stretch-distance-over-weight-distance.html [ Failure ]\ncrbug.com/752449 [ Mac10.12 ] external/wpt/css/css-fonts/matching/style-ranges-over-weight-direction.html [ Failure ]\n\ncrbug.com/1191718 external/wpt/css/css-fonts/size-adjust-text-decoration.tentative.html [ Failure ]\n\n# CSS Font Feature Resolution is not implemented yet\ncrbug.com/450619 external/wpt/css/css-fonts/font-feature-resolution-001.html [ Failure ]\ncrbug.com/450619 external/wpt/css/css-fonts/font-feature-resolution-002.html [ Failure ]\n\n# CSS Forced Color Adjust preserve-parent-color is not implemented yet\ncrbug.com/1242706 external/wpt/css/css-forced-color-adjust/parsing/forced-color-adjust-computed.html [ Failure ]\ncrbug.com/1242706 external/wpt/css/css-forced-color-adjust/parsing/forced-color-adjust-valid.html [ Failure ]\n\n# These need a rebaseline due crbug.com/504745 on Windows when they are activated again.\ncrbug.com/521124 crbug.com/410145 [ Win7 ] fast/css/font-weight-1.html [ Failure Pass ]\n\n# Disabled briefly until test runner support lands.\ncrbug.com/479533 accessibility/show-context-menu.html [ Skip ]\ncrbug.com/479533 accessibility/show-context-menu-shadowdom.html [ Skip ]\ncrbug.com/483653 accessibility/scroll-containers.html [ Skip ]\n\n# Temporarily disabled until document marker serialization is enabled for AXInlineTextBox\ncrbug.com/1227485 accessibility/spelling-markers.html [ Failure ]\n\n# Bugs caused by enabling DMSAA on OOPR-Canvas\ncrbug.com/1229463 [ Mac ] virtual/oopr-canvas2d/fast/canvas/canvas-largedraws.html [ Crash ]\ncrbug.com/1229486 virtual/oopr-canvas2d/fast/canvas/canvas-incremental-repaint.html [ Failure ]\n\n# Temporarily disabled after chromium change\ncrbug.com/492511 [ Mac ] virtual/text-antialias/atsui-negative-spacing-features.html [ Failure ]\ncrbug.com/492511 [ Mac ] virtual/text-antialias/international/arabic-justify.html [ Failure ]\n\ncrbug.com/501659 fast/xsl/xslt-missing-namespace-in-xslt.xml [ Failure ]\n\ncrbug.com/501659 http/tests/security/xss-DENIED-xml-external-entity.xhtml [ Failure ]\ncrbug.com/501659 fast/css/stylesheet-candidate-nodes-crash.xhtml [ Failure ]\n\n# TODO(chrishtr) uncomment ones marked crbug.com/591500 after fixing crbug.com/665259.\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-absolute-covering-some-pages.html [ Failure ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-but-static-headers-and-footers.html [ Failure Pass ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-larger-than-page.html [ Failure Pass ]\n\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers.html [ Failure Pass ]\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/list-item-with-empty-first-line.html [ Failure ]\n\ncrbug.com/591500 [ Win10.20h2 ] virtual/threaded/printing/fixed-positioned-headers-and-footers-clipped.html [ Failure Pass ]\n\ncrbug.com/353746 virtual/android/fullscreen/video-specified-size.html [ Failure Pass ]\n\ncrbug.com/525296 fast/css/font-load-while-styleresolver-missing.html [ Crash Failure Pass ]\n\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-window.html [ Failure Pass Skip Timeout ]\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-worker.html [ Failure Pass Skip Timeout ]\ncrbug.com/538717 http/tests/permissions/chromium/test-request-multiple-sharedworker.html [ Failure Pass Skip Timeout ]\n\ncrbug.com/543369 fast/forms/select-popup/popup-menu-appearance-tall.html [ Failure Pass ]\n\ncrbug.com/548765 http/tests/devtools/console-fetch-logging.js [ Failure Pass ]\n\ncrbug.com/399951 http/tests/mime/javascript-mimetype-usecounters.html [ Failure Pass ]\n\ncrbug.com/663847 fast/events/context-no-deselect.html [ Failure Pass ]\n\ncrbug.com/611658 [ Win ] virtual/text-antialias/emphasis-combined-text.html [ Failure ]\n\ncrbug.com/611658 [ Win7 ] fast/writing-mode/english-lr-text.html [ Failure ]\n\ncrbug.com/654477 [ Win ] compositing/video/video-controls-layer-creation.html [ Failure Pass ]\ncrbug.com/654477 fast/hidpi/video-controls-in-hidpi.html [ Failure ]\ncrbug.com/654477 fast/layers/video-layer.html [ Failure ]\n# These could likely be removed - see https://chromium-review.googlesource.com/c/chromium/src/+/1252141\ncrbug.com/654477 media/controls-focus-ring.html [ Failure ]\n\ncrbug.com/637930 http/tests/media/video-buffered.html [ Failure Pass ]\n\ncrbug.com/613659 external/wpt/quirks/percentage-height-calculation.html [ Failure ]\n\n# Note: this test was previously marked as slow on Debug builds. Skipping until crash is fixed\ncrbug.com/619978 fast/css/giant-stylesheet-crash.html [ Skip ]\n\ncrbug.com/624430 [ Win10.20h2 ] virtual/text-antialias/font-features/caps-casemapping.html [ Failure ]\n\ncrbug.com/399507 virtual/threaded/http/tests/devtools/tracing/timeline-paint/layer-tree.js [ Skip ]\n\n# These tests have test harness errors and PASS lines that have a\n# non-deterministic order.\ncrbug.com/705125 fast/mediacapturefromelement/CanvasCaptureMediaStream-capture-out-of-DOM-element.html [ Failure ]\n\n# Working on getting the CSP tests going:\ncrbug.com/694525 external/wpt/content-security-policy/navigation/to-javascript-parent-initiated-child-csp.html [ Skip ]\n\n# These tests will be added back soon:\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-aux-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-main-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-cross-origin-sub-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-same-origin-aux-frame-navigation.sub.html [ Skip ]\ncrbug.com/706350 external/wpt/html/browsers/browsing-the-web/history-traversal/window-name-after-same-origin-sub-frame-navigation.sub.html [ Skip ]\n\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/cross-document-traversal-cross-document-traversal.html [ Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-traversal-hashchange.html [ Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-traversal-pushstate.html [ Timeout ]\n\n# These two are like the above but some bots seem to give timeouts that count as failures according to the -expected.txt,\n# while other bots give actual timeouts.\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/cross-document-traversal-same-document-nav.html [ Failure Timeout ]\ncrbug.com/1236768 external/wpt/html/browsers/browsing-the-web/overlapping-navigations-and-traversals/tentative/same-document-traversal-same-document-nav.html [ Failure Timeout ]\n\ncrbug.com/876485 fast/performance/performance-measure-null-exception.html [ Failure ]\n\ncrbug.com/713587 external/wpt/css/css-ui/caret-color-006.html [ Skip ]\n\n# Unprefixed image-set() not supported\ncrbug.com/630597 external/wpt/css/css-images/image-set/image-set-rendering.html [ Failure ]\ncrbug.com/630597 external/wpt/css/css-images/image-set/image-set-content-rendering.html [ Failure ]\n\ncrbug.com/604875 external/wpt/css/css-images/tiled-gradients.html [ Failure ]\n\ncrbug.com/808834 [ Linux ] external/wpt/css/css-pseudo/first-letter-001.html [ Failure ]\ncrbug.com/808834 [ Win ] external/wpt/css/css-pseudo/first-letter-001.html [ Failure ]\n\ncrbug.com/932343 external/wpt/css/css-pseudo/selection-text-shadow-016.html [ Failure ]\n\ncrbug.com/723741 virtual/threaded/http/tests/devtools/tracing/idle-callback.js [ Crash Failure Pass Skip Timeout ]\n\n# Untriaged failures after https://crrev.com/c/543695/.\n# These need to be updated but appear not to be related to that change.\ncrbug.com/626703 http/tests/devtools/indexeddb/database-refresh-view.js [ Failure Pass ]\ncrbug.com/626703 crbug.com/946710 http/tests/devtools/extensions/extensions-sidebar.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/751952 virtual/text-antialias/international/complex-text-rectangle.html [ Pass Timeout ]\ncrbug.com/751952 [ Win ] editing/selection/modify_extend/extend_by_character.html [ Failure Pass ]\n\ncrbug.com/805463 external/wpt/acid/acid3/numbered-tests.html [ Skip ]\n\ncrbug.com/828506 [ Win ] fast/events/touch/scroll-without-mouse-lacks-mousemove-events.html [ Failure Pass ]\n\n# Failure messages are unstable so we cannot create baselines.\ncrbug.com/832071 external/wpt/service-workers/service-worker/worker-client-id.https.html [ Failure ]\n\n# failures in external/wpt/css/css-animations/ and web-animations/ from Mozilla tests\ncrbug.com/849859 external/wpt/css/css-animations/Element-getAnimations-dynamic-changes.tentative.html [ Failure ]\n\n# Some control characters still not visible\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-001.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-002.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-003.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-004.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-005.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-006.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-007.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-008.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00B.html [ Failure ]\ncrbug.com/893490 external/wpt/css/css-text/white-space/control-chars-00D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-00F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-010.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-011.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-012.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-013.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-014.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-015.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-016.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-017.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-018.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-019.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-01F.html [ Failure ]\ncrbug.com/893490 external/wpt/css/css-text/white-space/control-chars-07F.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-080.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-080.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-081.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-082.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-082.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-083.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-083.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-084.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-084.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-085.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-085.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-086.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-086.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-087.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-087.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-088.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-088.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-089.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-089.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08A.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08B.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08C.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08D.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08E.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-08F.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-090.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-091.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-091.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-092.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-092.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-093.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-093.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-094.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-094.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-095.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-096.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-096.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-097.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-097.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-098.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-098.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-099.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-099.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09A.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09A.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09B.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09B.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09C.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09C.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-09D.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Win7 ] external/wpt/css/css-text/white-space/control-chars-09E.html [ Failure ]\ncrbug.com/893490 [ Linux ] external/wpt/css/css-text/white-space/control-chars-09F.html [ Failure ]\ncrbug.com/893490 [ Mac ] external/wpt/css/css-text/white-space/control-chars-09F.html [ Failure ]\n\n# needs implementation of test_driver_internal.action_sequence\n# tests in this group need implementation of keyDown/keyUp\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/multiDevice.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/actionsWithKeyPressed.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/infrastructure/testdriver/actions/textEditCommands.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/893480 [ Fuchsia ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 [ Mac ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 [ Win ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/html/semantics/forms/the-input-element/checkable-active-onblur.html [ Failure Timeout ]\ncrbug.com/893480 external/wpt/html/semantics/forms/the-button-element/active-onblur.html [ Failure Timeout ]\n\n# needs implementation of test_driver_internal.action_sequence\n# for these tests there is an exception when scrolling: element click intercepted error\ncrbug.com/1040611 external/wpt/uievents/order-of-events/mouse-events/wheel-basic.html [ Failure Timeout ]\ncrbug.com/1040611 external/wpt/uievents/order-of-events/mouse-events/wheel-scrolling.html [ Failure Timeout ]\n\n\n# isInputPending requires threaded compositing and layerized iframes\ncrbug.com/910421 external/wpt/is-input-pending/* [ Skip ]\ncrbug.com/910421 virtual/threaded-composited-iframes/external/wpt/is-input-pending/* [ Pass ]\n\n# requestIdleCallback requires threaded compositing\ncrbug.com/1259718 external/wpt/requestidlecallback/* [ Skip ]\ncrbug.com/1259718 virtual/threaded/external/wpt/requestidlecallback/* [ Pass ]\n\n# WebVTT is off because additional padding\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_completely_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_partially_move_down.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_cues_overlapping_partially_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_end.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_end_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_start.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_start_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/basic.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/bidi_ruby.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_LF_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_u2028_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u002E_u2029_u05D0.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u0041_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u05D0_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u0628_first.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/u06E9_no_strong_dir.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/cue_too_long.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/decode_escaped_entities.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/disable_controls_reposition.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_align_position_line_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_align_position_line_size_while_paused.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_line.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_text.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_cue_text_while_paused.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/enable_controls_reposition.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/9_cues_overlapping_completely_all_cues_have_same_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/9_cues_overlapping_completely.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/media_height_19.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/single_quote.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/size_90.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/evil/size_99.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_0_is_top.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_1_wrapped_cue_grow_downwards.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_-2_wrapped_cue_grow_upwards.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_integer_and_percent_mixed_overlap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_integer_and_percent_mixed_overlap_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_percent_and_integer_mixed_overlap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/line_percent_and_integer_mixed_overlap_move_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/media_height400_with_controls.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/media_with_controls.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/navigate_cue_position.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/one_line_cue_plus_wrapped_cue.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/repaint.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_shorthand_css_relative_url.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_hex.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_hsla.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/color_rgba.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/cue_selector_single_colon.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_box.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_shorthand_css_relative_url.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/bold_object/bold_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_hex.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_hsla.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/color_rgba.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/cue_func_selector_single_colon.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/id_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/inherit_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/italic_object/italic_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/not_allowed_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/not_root_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/root_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/root_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_overline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_overline_underline_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-decoration_underline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/type_selector_root.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/underline_object/underline_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_animation_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_background_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_background_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_color.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_font_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_namespace.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_timestamp_future.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_timestamp_past.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_transition_with_timestamp.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_voice_attribute.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_nowrap.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_with_class.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/voice_object/voice_with_class_object_specific_selector.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_nowrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/inherit_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/outline_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/outline_shorthand.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue-region/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue-region_function/font_properties.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_overline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_overline_underline_line-through.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-decoration_underline.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/text-shadow.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_normal_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_nowrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre-line_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/white-space_pre-wrap_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/bold_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/inherit_as_default_value_inherits_values_from_media_element.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/italic_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/default_styles/underline_object_default_font-style.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/size_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/too_many_cues.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/too_many_cues_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_gt_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_lt_50.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_lt_50_size_gt_maximum_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_wrapped.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/basic.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/regionanchor_x_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/regionanchor_y_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/scroll_up.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/single_line_top_left.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/viewportanchor_x_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/viewportanchor_y_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/regions/width_50_percent.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/align_center_position_gt_50_size_gt_maximum_size.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/start_alignment.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/vertical_rl.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/vertical_ruby-position.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_vertical_text-combine-upright.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/bidi/vertical_lr.html [ Failure ]\ncrbug.com/1012242 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue/vertical_text-combine-upright.html [ Failure ]\n\n# Flaky test\ncrbug.com/1126649 [ Mac ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure ]\ncrbug.com/1126649 [ Mac ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure ]\n\n# FontFace object failures detected by WPT test\ncrbug.com/965409 external/wpt/css/css-font-loading/fontface-descriptor-updates.html [ Failure ]\n\n# Linux draws antialiasing differently when overlaying two text layers.\ncrbug.com/785230 [ Linux ] external/wpt/css/css-text-decor/text-decoration-thickness-ink-skip-dilation.html [ Failure ]\n\ncrbug.com/1002514 external/wpt/web-share/share-sharePromise-internal-slot.https.html [ Crash Failure ]\n\ncrbug.com/1029514 external/wpt/html/semantics/embedded-content/the-video-element/resize-during-playback.html [ Failure Pass ]\n\n# css-pseudo-4 opacity not applied to ::first-line\ncrbug.com/1085772 external/wpt/css/css-pseudo/first-line-opacity-001.html [ Failure ]\n\n# motion-1 issues\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-002.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-003.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-004.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-005.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-006.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-007.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-009.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-001.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-002.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-003.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-004.html [ Failure ]\ncrbug.com/641245 external/wpt/css/motion/offset-path-ray-contain-005.html [ Failure ]\n\n# Various css-values WPT failures\ncrbug.com/1053965 external/wpt/css/css-values/ex-unit-004.html [ Failure ]\ncrbug.com/759914 external/wpt/css/css-values/ch-unit-011.html [ Failure ]\ncrbug.com/965366 external/wpt/css/css-values/ch-unit-017.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-010.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-011.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-009.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-008.html [ Failure ]\ncrbug.com/937101 external/wpt/css/css-values/ic-unit-012.html [ Failure ]\ncrbug.com/937104 external/wpt/css/css-values/lh-unit-002.html [ Failure ]\ncrbug.com/937104 external/wpt/css/css-values/lh-unit-001.html [ Failure ]\n\ncrbug.com/1067277 external/wpt/css/css-content/element-replacement-on-replaced-element.tentative.html [ Failure ]\ncrbug.com/1069300 external/wpt/css/css-pseudo/active-selection-063.html [ Failure ]\ncrbug.com/1108711 external/wpt/css/css-pseudo/active-selection-057.html [ Failure ]\ncrbug.com/1110399 external/wpt/css/css-pseudo/active-selection-031.html [ Failure ]\ncrbug.com/1110401 external/wpt/css/css-pseudo/active-selection-045.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/active-selection-027.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/active-selection-025.html [ Failure ]\n\ncrbug.com/27659 external/wpt/css/css-ruby/abs-in-ruby-base-container.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/abs-in-ruby-base.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/block-ruby-005.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/empty-ruby-base-container.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/empty-ruby-text-container-float.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/improperly-contained-annotation-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/rb-display-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/root-block-ruby.xhtml [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/root-ruby.xhtml [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/rt-display-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-001a.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-align-002a.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-base-container-abs.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-base-container-float.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-bidi-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-bidi-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-004.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-generation-005.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-box-model-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-float-handling-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-intrinsic-isize-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-justification-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-justification-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-lang-specific-style-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-002.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-break-suppression-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-breaking-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-line-breaking-003.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-text-collapse.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-whitespace-001.html [ Failure ]\ncrbug.com/27659 external/wpt/css/css-ruby/ruby-whitespace-002.html [ Failure ]\n\n# WebRTC: Perfect Negotiation times out in Plan B. This is expected.\ncrbug.com/980872 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-perfect-negotiation.https.html [ Skip Timeout ]\n\n# WebRTC: there's an open bug with some capture scenarios not working.\ncrbug.com/1156408 external/wpt/webrtc/RTCPeerConnection-relay-canvas.https.html [ Failure Pass Skip Timeout ]\ncrbug.com/1156408 external/wpt/webrtc/RTCPeerConnection-capture-video.https.html [ Failure Pass Skip Timeout ]\n\ncrbug.com/1074547 external/wpt/css/css-transitions/transitioncancel-002.html [ Timeout ]\n\ncrbug.com/1024156 external/wpt/css/css-pseudo/cascade-highlight-004.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/cascade-highlight-005.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-cascade-001.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-cascade-002.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-paired-cascade-003.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-paired-cascade-006.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-styling-002.html [ Failure ]\ncrbug.com/1024156 external/wpt/css/css-pseudo/highlight-styling-004.html [ Failure ]\ncrbug.com/1113004 external/wpt/css/css-pseudo/active-selection-043.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-051.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-052.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-053.html [ Failure ]\ncrbug.com/1100119 [ Mac ] external/wpt/css/css-pseudo/active-selection-054.html [ Failure ]\ncrbug.com/1018465 external/wpt/css/css-pseudo/active-selection-056.html [ Failure ]\ncrbug.com/932343 external/wpt/css/css-pseudo/active-selection-014.html [ Failure ]\n\n# virtual/css-highlight-inheritance/\ncrbug.com/1217745 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/active-selection-018.html [ Failure ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/cascade-highlight-004.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-cascade-001.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-cascade-002.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-paired-cascade-003.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-paired-cascade-006.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-styling-002.html [ Pass ]\ncrbug.com/1024156 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/highlight-styling-004.html [ Pass ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-001.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-002.html [ Failure ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-003.html [ Failure ]\ncrbug.com/1179938 virtual/css-highlight-inheritance/external/wpt/css/css-pseudo/target-text-dynamic-004.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-001.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-003.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/grammar-error-color-dynamic-004.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-001.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-002.html [ Failure ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-003.html [ Pass ]\ncrbug.com/1035708 virtual/css-highlight-inheritance/wpt_internal/css/css-pseudo/spelling-error-color-dynamic-004.html [ Pass ]\n\ncrbug.com/1105958 external/wpt/payment-request/payment-is-showing.https.html [ Failure Skip Timeout ]\n\n### external/wpt/css/CSS2/tables/\ncrbug.com/958381 external/wpt/css/CSS2/tables/column-visibility-004.xht [ Failure ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-079.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-080.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-081.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-082.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-083.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-084.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-085.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-086.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-093.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-094.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-095.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-096.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-097.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-098.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-103.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-104.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-125.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-126.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-127.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-128.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-129.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-130.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-131.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-132.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-155.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-156.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-157.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-158.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-167.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-168.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-171.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-172.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-181.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-182.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-183.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-184.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-185.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-186.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-187.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-188.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-199.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-200.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-201.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-202.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-203.xht [ Skip ]\ncrbug.com/958381 external/wpt/css/CSS2/tables/table-anonymous-objects-204.xht [ Skip ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/anonymous-table-box-width-001.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-009.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-010.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-011.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-012.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-015.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-016.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-017.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-018.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-019.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-020.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-177.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-178.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-179.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-180.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-189.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-190.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-191.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-192.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-193.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-194.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-195.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-196.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-197.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-198.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-205.xht [ Failure ]\ncrbug.com/958381 [ Mac ] external/wpt/css/CSS2/tables/table-anonymous-objects-206.xht [ Failure ]\n\n# unblock roll wpt\ncrbug.com/626703 external/wpt/service-workers/service-worker/worker-interception.https.html [ Failure ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/worker-interception.https.html [ Pass ]\n\n# ====== Test expectations added to unblock wpt-importer ======\ncrbug.com/626703 external/wpt/service-workers/service-worker/navigation-timing-extended.https.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scroll-animation-lifetime.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scroll-timeline-snapshotting.html [ Failure ]\ncrbug.com/626703 fast/animation/scroll-animations/scrolltimeline-root-scroller-quirks-mode.html [ Failure ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/navigation-timing-extended.https.html [ Failure ]\n\n# ====== New tests from wpt-importer added here ======\ncrbug.com/626703 [ Mac10.15 ] external/wpt/page-visibility/minimize.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/shared_array_buffer_on_desktop/external/wpt/compression/decompression-constructor-error.tentative.any.serviceworker.html [ Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/web-locks/bfcache/abort.tentative.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/custom-elements/form-associated/ElementInternals-validation.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/fenced-frame-mparch/wpt_internal/fenced_frame/create-credential.https.html [ Crash ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/semantics/forms/the-input-element/show-picker.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-subresource-corp.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/workers/modules/shared-worker-import-csp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_AES-CTR.https.any.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_RSA-OAEP.https.any.html?1-10 [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/generateKey/successes_RSA-OAEP.https.any.worker.html?141-150 [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/WebCryptoAPI/import_export/ec_importKey.https.any.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/accelerometer/Accelerometer-enabled-by-feature-policy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/accessibility/crashtests/activedescendant-crash.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/currentchange-event/currentchange-app-history-updateCurrent.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate-event/navigate-meta-refresh.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate-event/navigateerror-ordering-location-api.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/app-history/navigate/disambigaute-forward.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/beacon/headers/header-referrer-no-referrer-when-downgrade.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/bluetooth/characteristic/readValue/characteristic-is-removed.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/split-http-cache/external/wpt/signed-exchange/reporting/sxg-reporting-prefetch-mi_error.tentative.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded-prefer-compositing/external/wpt/css/cssom-view/CaretPosition-001.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/css/css-animations/computed-style-animation-parsing.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/css/css-backgrounds/background-repeat/background-repeat-space.xht [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/threaded/external/wpt/scroll-animations/scroll-timelines/current-time-nan.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/unified-autoplay/external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/046.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/049.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/execution-timing/139.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/fetch-src/alpha/base.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/compilation-error-2.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/dynamic-import/blob-url.any.sharedworker.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/module/evaluation-error-1.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-script-element/script-onerror-insertion-point-2.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-template-element/additions-to-the-steps-to-clone-a-node/template-clone-children.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/v8-off-thread-finalization/external/wpt/html/semantics/scripting-1/the-template-element/template-element/template-descendant-frameset.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/characteristic/notifications/service-is-removed.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/characteristic/writeValue/write-succeeds.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/requestDevice/canonicalizeFilter/empty-services-member.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/service/getCharacteristics/characteristics-found-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/external/wpt/bluetooth/service/getCharacteristics/gen-reconnect-during-with-uuid.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/getDescriptors/gen-descriptor-disconnect-called-during-error-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/getDescriptors/gen-descriptor-garbage-collection-ran-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/notifications/notification-after-disconnection.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/readValue/gen-gatt-op-garbage-collection-ran-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/characteristic/writeValueWithoutResponse/blocklisted-characteristic.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryService/gen-device-disconnects-during-success.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryServices/gen-device-disconnects-before-with-uuid.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/server/getPrimaryServices/gen-device-disconnects-invalidates-objects.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristic/gen-device-goes-out-of-range.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristic/gen-disconnect-called-before.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/service/getCharacteristics/correct-characteristics.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-pranswer.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCRtpReceiver-getParameters.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/without-coep-for-shared-worker/external/wpt/html/cross-origin-embedder-policy/credentialless/video.tentative.https.window.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-color-adjust/rendering/dark-color-scheme/color-scheme-iframe-background-mismatch-opaque-cross-origin.sub.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/resource-timing/object-not-found-adds-entry.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCIceConnectionState-candidate-pair.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-helper-test.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/bundle.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-box/cssbox-initial.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/css3-transform-perspective.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/translate-parsing-invalid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewY/svg-skewy-016.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-048.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-relative-length-invalid-002.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewX/svg-skewx-011.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewY/svg-skewy-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/animation/transform-interpolation-perspective.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/crashtests/preserve3d-scene-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-box/svgbox-fill-box.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/animation/rotate-interpolation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/external-styles/svg-external-styles-008.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/perspective-origin-valid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/skewX/svg-skewx-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-045.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-relative-length-invalid-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-length-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-scale-test.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/scale/svg-scale-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/inline-styles/svg-inline-styles-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-matrix-004.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-035.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-list-separation/svg-transform-list-separations-011.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-013.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-032.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/perspective-origin-computed.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transformed-preserve-3d-1.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-list-separation/svg-transform-list-separations-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-input-003.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/subpixel-transform-changes-002.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-016.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-name-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/translate/svg-translate-050.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/group/svg-transform-group-008.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-percent-001.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-3d-rotateY-stair-above-001.xht [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transforms-support-calc.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/parsing/transform-computed.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/group/svg-transform-nested-023.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/inline-styles/svg-inline-styles-012.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-transformed-td-contains-fixed-position.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-014.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/matrix/svg-matrix-063.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin/svg-origin-length-cm-005.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform-origin-name-002.html [ Crash ]\ncrbug.com/626703 [ Linux ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/media-capabilities/encodingInfo.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/dialog-keydown-preventDefault.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-finished-add.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-ua-ch-platform-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-navigation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/font-access-persistent/external/wpt/font-access/font_access-blob.tentative.https.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/document-domain-disabled-by-default/external/wpt/document-policy/experimental-features/document-domain/document-domain.tentative.sub.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/scroll-timeline-cssom.tentative.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/http-equiv-accept-ch-non-secure.http.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-supported-by-feature-policy.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/at-scroll-timeline-before-phase.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-ua-ch-platform-feature/external/wpt/client-hints/accept-ch-non-secure.http.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/css/css-transitions/parsing/transition-invalid.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/backdrop-stacking-order.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/idlharness.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/wpt_internal/client-hints/accept_ch_feature_policy_allow_legacy_hints.tentative.sub.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-cache-revalidation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/external-styles/svg-external-styles-010.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/backplate/forced-colors-mode-backplate-01.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/source-quirks-mode.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/forced-colors-mode-03.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-iframe.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/dialogfocus-old-behavior/external/wpt/html/semantics/interactive-elements/the-dialog-element/top-layer-parent-transform.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/animation-model/keyframe-effects/effect-value-iteration-composite-operation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/interfaces/Animation/commitStyles.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/service-workers/new-request-critical.https.window.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/css/at-scroll-timeline-inactive-phase.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/disable-user-agent-client-hint-feature/external/wpt/client-hints/accept-ch-stickiness/same-origin-navigation.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/json-modules/external/wpt/html/semantics/scripting-1/the-script-element/json-module/referrer-policies.sub.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/backplate/forced-colors-mode-backplate-11.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/scroll-timeline-invalidation.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/current-time-writing-modes.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/scroll-animation-effect-phases.tentative.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-perspective-009.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/forced-colors-mode-10.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStreamTrack-MediaElement-disabled-video-is-black.https.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/fractional-scroll-offsets/external/wpt/css/css-position/sticky/position-sticky-nested-left.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/scroll-animations/scroll-timelines/element-based-offset-unresolved.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/delayed-animation-updates/external/wpt/web-animations/interfaces/Animation/cancel.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-attachment.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-attachment.https.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/css/css-sizing/parsing/min-height-invalid.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/element/manual/wide-gamut-canvas/canvas-display-p3-drawImage-ImageBitmap-Blob.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] virtual/plz-dedicated-worker/external/wpt/xhr/event-loadstart-upload.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/xhr/event-loadstart-upload.any.worker.html [ Crash ]\ncrbug.com/626703 [ Linux ] wpt_internal/webcodecs/reconfiguring_encoder.https.any.html [ Timeout ]\ncrbug.com/626703 [ Linux ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/cookies/attributes/domain.sub.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/cookies/attributes/domain.sub.html [ Failure ]\ncrbug.com/626703 external/wpt/workers/interfaces/WorkerUtils/importScripts/blob-url.worker.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-get-target-ranges.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-typing.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/infrastructure/testdriver/actions/eventOrder.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/input-events/input-events-cut-paste.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/CSS2/tables/table-anonymous-objects-211.xht [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Timeout ]\ncrbug.com/626703 external/wpt/editing/run/forwarddelete.html?6001-last [ Failure ]\ncrbug.com/626703 external/wpt/selection/contenteditable/initial-selection-on-focus.tentative.html?div [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/css/css-sizing/aspect-ratio/replaced-element-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/resize-observer/iframe-same-origin.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/post-task-without-signals.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/post-task-without-signals.any.worker.html [ Crash ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/scheduler/tentative/current-task-signal.any.serviceworker.html [ Crash ]\ncrbug.com/626703 external/wpt/geolocation-API/non-fully-active.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/cross-origin-opener-policy/coop-navigate-same-origin-csp-sandbox.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/cross-origin-opener-policy/coop-navigate-same-origin-csp-sandbox.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/626703 external/wpt/density-size-correction/density-corrected-image-svg-aspect-ratio-cross-origin.sub.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-assign-user-click.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/a-user-click-during-pageshow.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/marker-webkit-text-fill-color.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/a-user-click-during-load.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-columns.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-ruby.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-grid.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-math.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-flex.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-table.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-span-dynamic.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-root-block.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-details.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-fieldset.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-option.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-select-1.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-table.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-select-2.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-content/content-none-span.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-onsignalingstatechanged.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-002.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-001.html [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/self-alignment/self-align-safe-unsafe-flex-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-not-list-item-start.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-list-item-start.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/counter-reset-reversed-not-list-item.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/626703 external/wpt/infrastructure/assumptions/non-local-ports.sub.window.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/mediacapture-insertable-streams/MediaStreamTrackGenerator-audio.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc-extensions/transfer-datachannel-service-worker.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc-extensions/transfer-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/1-iframe/parent-no-child-yeswithparams-subdomain.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-yes-child1-yes-subdomain-child2-yes-subdomainport.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/popups/opener-no-openee-yes-same.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-yes-child1-yes-subdomain-child2-no-port.sub.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/Create-blocked-port.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-getpublickey.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/credblob-not-supported.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-badargs-authnrselection.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-timeout.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-timeout.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-large-blob-supported.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-extensions.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-excludecredentials.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/webauthn-testdriver-basic.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-resident-key.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-badargs-rpid.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-badargs-userverification.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/credblob-supported.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-large-blob-not-supported.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-extensions.https.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-grid/alignment/grid-content-alignment-overflow-002.html [ Failure ]\ncrbug.com/626703 external/wpt/FileAPI/file/send-file-formdata-controls.any.html [ Pass Timeout ]\ncrbug.com/626703 external/wpt/FileAPI/file/send-file-formdata-controls.any.worker.html [ Pass Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/url/url-setters.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/url/url-setters.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.serviceworker.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-counter-styles/counter-style-name-syntax.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-015.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-014.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-010.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-016.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wss [ Timeout ]\ncrbug.com/626703 external/wpt/html/cross-origin-opener-policy/iframe-popup-same-origin-to-same-origin.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/constructor.any.worker.html?wss [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-grid/grid-model/grid-areas-overflowing-grid-container-009.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-002.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/pointerevents/pointerevent_pointercapture_in_frame.html?pen [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/pointerevents/pointerevent_pointercapture_in_frame.html?pen [ Timeout ]\ncrbug.com/1265587 external/wpt/html/user-activation/activation-trigger-pointerevent.html?pen [ Failure ]\ncrbug.com/626703 external/wpt/html/cross-origin-opener-policy/iframe-popup-same-origin-to-unsafe-none.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-006.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-007.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-009.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-pubkeycredparams.https.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] virtual/restrict-gamepad/external/wpt/gamepad/idlharness-extensions.https.window.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-passing.https.html [ Crash ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-012.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-003.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-005.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] virtual/font-access-persistent/external/wpt/font-access/font_access-enumeration.tentative.https.window.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Win7 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.sharedworker.html [ Crash Timeout ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-008.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-011.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-013.html [ Failure ]\ncrbug.com/626703 external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.worker.html [ Crash ]\ncrbug.com/626703 external/wpt/css/css-sizing/fit-content-length-percentage-004.html [ Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/createcredential-passing.https.html [ Crash ]\ncrbug.com/626703 external/wpt/streams/readable-byte-streams/non-transferable-buffers.any.html [ Crash ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webauthn/getcredential-large-blob-not-supported.https.html [ Crash ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/remove-own-iframe-during-onerror.window.html?wss [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.serviceworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.worker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/content-security-policy/reporting/report-only-in-meta.sub.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/cache-storage/worker/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/cache-storage/window/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.sharedworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/service-workers/cache-storage/serviceworker/cache-abort.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/remove-own-iframe-during-onerror.window.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.worker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/constructor/010.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/constructor/010.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/basic-auth.any.serviceworker.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/opening-handshake/005.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/opening-handshake/005.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/opening-handshake/005.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCSctpTransport-maxChannels.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCSctpTransport-maxChannels.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-captureTimestamp.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-senderCaptureTimeOffset.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-extensions/RTCRtpSynchronizationSource-senderCaptureTimeOffset.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCSctpTransport-events.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/getstats.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-send.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-legacy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-legacy.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/simulcast/h264.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simulcast/h264.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCEncodedAudioFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCEncodedAudioFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-track-stats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-videoDetectorTest.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-iceConnectionState-disconnected.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-stats/getStats-remote-candidate-address.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-stats/getStats-remote-candidate-address.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-iceRestart.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCDtlsTransport-state.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDtlsTransport-state.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/mediacapture-record/passthrough/MediaRecorder-passthrough.https.html [ Failure Pass Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCIceTransport.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/ice-state.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-clockrate.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simplecall.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/split.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-video.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-insertDTMF.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCEncodedVideoFrame-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-connectionState.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-worker.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-worker.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-connectionState.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simulcast/vp8.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/handover-datachannel.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-errors.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-helper-test.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/candidate-exchange.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/bundle.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-video-frames.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/crypto-suite.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-bufferedAmount.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-onsignalingstatechanged.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCDtlsTransport-getRemoteCertificates.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-audio.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-audio.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/no-media-call.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-ondatachannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCRtpTransceiver.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-close.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-perfect-negotiation.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/promises-call.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-createDataChannel.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCPeerConnection-addIceCandidate-connectionSetup.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/RTCPeerConnection-addIceCandidate-connectionSetup.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-getStats.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/video-rvfc/request-video-frame-callback-webrtc.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/protocol/rtp-demuxing.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/RTCIceConnectionState-candidate-pair.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDataChannel-send-blob-order.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc/simplecall-no-ssrcs.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/webrtc/simplecall-no-ssrcs.https.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/dtls-fingerprint-validation.html [ Timeout ]\ncrbug.com/1209223 external/wpt/html/syntax/xmldecl/xmldecl-2.html [ Failure ]\ncrbug.com/626703 [ Mac ] editing/pasteboard/drag-selected-image-to-contenteditable.html [ Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Crash Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/626703 external/wpt/focus/focus-already-focused-iframe-deep-different-site.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/content-security-policy/securitypolicyviolation/source-file-data-scheme.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.html?wss [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/basic-auth.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/worklets/paint-worklet-credentials.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/css/css-images/image-set/image-set-parsing.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/basic/request-upload.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/script-write-twice-transform.https.html [ Failure Timeout ]\n# crbug.com/626703 [ Mac11 ] external/wpt/webrtc-encoded-transform/sframe-transform-buffer-source.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/basic-auth.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac11 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/backpressure-receive.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/bufferedAmount-unchanged-by-sync-xhr.any.worker.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/basic-auth.any.html?wpt_flags=h2 [ Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/worklets/audio-worklet-credentials.https.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/request-upload.any.serviceworker.html [ Crash Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/editing/other/editing-around-select-element.tentative.html?insertText [ Crash Failure Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/custom-elements/form-associated/ElementInternals-setFormValue.html [ Crash Pass Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/custom-elements/form-associated/ElementInternals-setFormValue.html [ Pass Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/sandboxing/window-open-blank-from-different-initiator.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/request-upload.any.sharedworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/mediacapture-image/MediaStreamTrack-getConstraints.https.html [ Crash Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/webrtc-encoded-transform/script-transform.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Win10.20h2 ] external/wpt/websockets/stream/tentative/backpressure-send.any.sharedworker.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/shared-workers.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webrtc-encoded-transform/sframe-transform-buffer-source.html [ Crash Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.worker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/multi-globals/workers-coep-report.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/http-response-code.any.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/fetch/api/basic/http-response-code.any.sharedworker.html [ Crash Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/FileAPI/file/send-file-formdata-controls.html [ Crash Pass ]\ncrbug.com/626703 [ Win ] external/wpt/FileAPI/file/send-file-formdata-controls.html [ Crash Pass ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/stream/tentative/abort.any.serviceworker.html?wpt_flags=h2 [ Crash Failure Pass ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/websockets/stream/tentative/abort.any.sharedworker.html?wpt_flags=h2 [ Crash Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/websockets/stream/tentative/backpressure-send.any.html?wpt_flags=h2 [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/offsetparent-old-behavior/external/wpt/shadow-dom/accesskey.tentative.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.sharedworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/websockets/stream/tentative/close.any.serviceworker.html?wpt_flags=h2 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/selection/contenteditable/modifying-selection-with-primary-mouse-button.tentative.html [ Crash Failure ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/streams/readable-streams/tee.any.worker.html [ Failure ]\ncrbug.com/1191547 external/wpt/html/semantics/forms/the-label-element/proxy-modifier-click-to-associated-element.tentative.html [ Timeout ]\ncrbug.com/626703 external/wpt/websockets/cookies/001.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/002.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/003.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/005.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 external/wpt/websockets/cookies/007.html?wss&wpt_flags=https [ Failure ]\ncrbug.com/626703 [ Mac ] virtual/threaded/external/wpt/css/css-scroll-snap/input/keyboard.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 [ Mac11-arm64 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 [ Linux ] wpt_internal/modal-close-watcher/basic.html [ Crash ]\ncrbug.com/626703 [ Mac10.13 ] wpt_internal/modal-close-watcher/basic.html [ Crash ]\ncrbug.com/626703 external/wpt/uievents/keyboard/modifier-keys-combinations.html [ Timeout ]\ncrbug.com/626703 external/wpt/uievents/keyboard/modifier-keys.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/1014091 external/wpt/shadow-dom/focus/focus-pseudo-on-shadow-host-1.html [ Failure ]\ncrbug.com/1014091 external/wpt/shadow-dom/focus/focus-pseudo-on-shadow-host-2.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/webmessaging/with-ports/011.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webmessaging/without-ports/011.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] virtual/threaded/external/wpt/web-animations/timing-model/animations/updating-the-finished-state.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&parent=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&parent=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&child=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable&parent=b&child=i [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&child=b [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-non-collapsed-selection.tentative.html?target=ContentEditable [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/editing/other/typing-around-link-element-at-collapsed-selection.tentative.html?target=ContentEditable&parent=b&child=i [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/interaction/focus/document-level-focus-apis/document-has-system-focus.html [ Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-peerconnection-no-sink.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-peerconnection.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/update-bytecheck.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-element-and-another-list.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Backspace,ul [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-elements.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Delete,ul [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-elements.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-joining-dl-element-and-another-list.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Backspace,ol [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-deleting-in-list-items.tentative.html?Delete,ol [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-record/MediaRecorder-stop.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.sharedworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.15 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.serviceworker.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/fetch/api/response/response-clone.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/response/response-clone.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/webxr/xr_viewport_scale.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/editing/other/select-all-and-delete-in-html-element-having-contenteditable.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/first-contentful-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/mask-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/first-contentful-paint.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/child-painting-first-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/sibling-painting-first-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/paint-timing/with-first-paint/border-image.html [ Timeout ]\ncrbug.com/626703 external/wpt/infrastructure/testdriver/actions/iframe.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/infrastructure/testdriver/actions/crossOrigin.sub.html [ Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-during-and-after-dispatch.tentative.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/scroll-to-text-fragment/redirects.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?Backspace [ Failure Skip Timeout ]\ncrbug.com/626703 [ Fuchsia ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?TypingA [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-non-collapsed-selection.tentative.html?Delete [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/screen-capture/feature-policy.https.html [ Timeout ]\ncrbug.com/626703 [ Fuchsia ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-immediately.https.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/web-locks/query-ordering.tentative.https.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/fetch/connection-pool/network-partition-key.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-backspace.tentative.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/input-events/input-events-get-target-ranges-forwarddelete.tentative.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t422-rgba-a0.6-a.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-color/t32-opacity-basic-0.6-a.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-basic-a.xht [ Failure ]\ncrbug.com/626703 external/wpt/wasm/jsapi/functions/incumbent.html [ Crash ]\ncrbug.com/626703 [ Mac ] external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Failure Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-innerheight-innerwidth.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.15 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Mac11 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/Worker-replace-self.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_multiple.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_oncookiechange_eventhandler_single_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_single.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-replace-EventHandler.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-MessageEvent-source.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/examples/onconnect.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/global-serviceworker.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-replace-EventHandler.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/interfaces/WorkerGlobalScope/self.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStoreManager_getSubscriptions_empty.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_single_subscription.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_overlapping_subscriptions.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_overlapping_subscriptions.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/cookieStore_subscribe_arguments.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/SharedWorker-MessageEvent-source.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_multiple_subscriptions.tentative.https.any.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_multiple_subscriptions.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_single_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/global-serviceworker.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/examples/onconnect.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/cookie-store/serviceworker_oncookiechange_eventhandler_single_subscription.tentative.https.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/postMessage_block.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/uievents/order-of-events/focus-events/focus-management-expectations.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/preload/onload-event.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/preload/download-resources.html [ Timeout ]\ncrbug.com/626703 external/wpt/workers/shared-worker-parse-error-failure.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-operations.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/content-dpr/content-dpr-various-elements.html [ Failure ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/workers/abrupt-completion.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/eventsource/eventsource-constructor-url-bogus.any.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/webappapis/scripting/events/event-handler-attributes-body-window.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.html?1-1000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/css/cssom/CSSStyleSheet-constructable.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.worker.html?1001-2000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.worker.html?1001-2000 [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/WebCryptoAPI/derive_bits_keys/hkdf.https.any.html?3001-last [ Failure Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/content-security-policy/object-src/object-src-no-url-allowed.html [ Timeout ]\ncrbug.com/626703 external/wpt/service-workers/service-worker/ready.https.window.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-x-css_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-left-css_touch.html [ Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/screen-capture/getdisplaymedia.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/screen-capture/getdisplaymedia.https.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-serviceworker-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-sharedworker-failure.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-domain-failure.https.sub.html [ Failure Timeout ]\ncrbug.com/626703 [ Linux ] external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/window-iframe-messagechannel.https.html [ Failure ]\ncrbug.com/626703 external/wpt/fetch/corb/script-resource-with-nonsniffable-types.tentative.sub.html [ Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/location-set-and-document-open.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/css-align/baseline-rules/grid-item-input-type-number.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-align/baseline-rules/grid-item-input-type-text.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/feedback-delay-time.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/delay-time-clamping.html [ Failure ]\ncrbug.com/626703 external/wpt/webaudio/the-audio-api/processing-model/cycle-without-delay.html [ Failure ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-inherit_child-pan-x-child-pan-y_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-inherit_child-none_touch.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-pan-y-css_touch.html [ Skip Timeout ]\ncrbug.com/626703 [ Win ] external/wpt/web-animations/timing-model/animation-effects/phases-and-states.html [ Crash ]\ncrbug.com/626703 external/wpt/webvtt/rendering/cues-with-video/processing-model/snap-to-line.html [ Failure ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Mac10.14 ] external/wpt/webaudio/the-audio-api/the-mediastreamaudiosourcenode-interface/mediastreamaudiosourcenode-routing.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/IndexedDB/structured-clone.any.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/pointerevent_touch-action-svg-none-test_touch.html [ Skip Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/pointerevents/extension/pointerevent_touch-action-pan-right-css_touch.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-offer.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/broadcastchannel-success.https.html [ Timeout ]\ncrbug.com/626703 external/wpt/webauthn/idlharness-manual.https.window.js [ Skip ]\ncrbug.com/1004760 [ Mac ] external/wpt/html/semantics/embedded-content/media-elements/ready-states/autoplay-hidden.optional.html [ Timeout ]\ncrbug.com/626703 external/wpt/mediacapture-streams/MediaStream-MediaElement-srcObject.https.html [ Timeout ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/preload/download-resources.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/preload/download-resources.html [ Failure Timeout ]\ncrbug.com/626703 [ Mac10.13 ] external/wpt/preload/onload-event.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/html/rendering/widgets/button-layout/anonymous-button-content-box.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/widgets/button-layout/inline-level.html [ Failure ]\ncrbug.com/626703 external/wpt/xhr/abort-after-stop.any.worker.html [ Timeout ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesisUtterance-volume-manual.html [ Skip ]\ncrbug.com/626703 crbug.com/606367 external/wpt/pointerevents/pointerevent_touch-action-pan-x-pan-y-pan-y_touch.html [ Failure Pass Timeout ]\ncrbug.com/626703 crbug.com/606367 external/wpt/pointerevents/pointerevent_touch-action-none-css_touch.html [ Failure Pass Timeout ]\ncrbug.com/626703 external/wpt/xhr/event-readystatechange-loaded.any.worker.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/li-value-counter-reset-001.html [ Failure ]\ncrbug.com/626703 external/wpt/xhr/event-readystatechange-loaded.any.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/css/css-lists/list-item-definition.html [ Failure ]\ncrbug.com/626703 external/wpt/media-source/mediasource-correct-frames-after-reappend.html [ Failure Pass Skip Timeout ]\ncrbug.com/626703 external/wpt/media-source/mediasource-correct-frames.html [ Failure Pass Skip Timeout ]\ncrbug.com/626703 external/wpt/payment-method-basic-card/steps_for_selecting_the_payment_handler.html [ Timeout ]\ncrbug.com/626703 external/wpt/payment-method-basic-card/apply_the_modifiers.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/tables/table-border-3s.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/tables/table-border-3q.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/onchange-event.html [ Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-setRemoteDescription-tracks.https.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/webrtc/RTCPeerConnection-remote-track-mute.https.html [ Skip Timeout ]\ncrbug.com/626703 [ Mac ] external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-tokenization-width-height.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/html/webappapis/animation-frames/cancel-handle-manual.html [ Skip ]\ncrbug.com/626703 external/wpt/fetch/content-type/response.window.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/webappapis/user-prompts/newline-normalization-manual.html [ Skip ]\ncrbug.com/903383 external/wpt/css/filter-effects/css-filters-animation-combined-001.html [ Failure ]\ncrbug.com/903383 external/wpt/css/filter-effects/css-filters-animation-blur.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-screenx.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-innerheight.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-height.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-top-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-top.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-screenx-screeny.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-width-height.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-left.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-negative-innerwidth-innerheight.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-will-change/will-change-abspos-cb-dynamic-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-will-change/will-change-abspos-cb-001.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/url/a-element.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/Create-url-with-space.any.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/abort.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/backpressure-receive.any.serviceworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/backpressure-receive.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/constructor.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/websockets/stream/tentative/constructor.any.sharedworker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Linux ] virtual/system-color-compute/external/wpt/css/css-color/color-function-parsing.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/css/css-color/color-function-parsing.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/websockets/Create-blocked-port.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/websockets/Create-url-with-space.any.html [ Failure ]\ncrbug.com/626703 [ Win ] virtual/plz-dedicated-worker/external/wpt/resource-timing/cross-origin-start-end-time-with-redirects.html [ Failure ]\ncrbug.com/626703 [ Mac ] external/wpt/webrtc/RTCDTMFSender-ontonechange-long.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCDTMFSender-ontonechange-long.https.html [ Failure Pass ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/html/dom/idlharness.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/payment-handler/idlharness.https.any.serviceworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/payment-request/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/private-click-measurement/idlharness.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/service-workers/idlharness.https.any.serviceworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/streams/idlharness.any.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/streams/idlharness.any.sharedworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/webhid/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] external/wpt/webrtc-encoded-transform/idlharness.https.window.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.sharedworker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/626703 [ Mac10.12 ] virtual/portals/external/wpt/portals/idlharness.window.html [ Failure ]\n\n# selectmenu timeouts\ncrbug.com/1253971 [ Linux ] external/wpt/html/semantics/forms/the-selectmenu-element/selectmenu-parts-structure.tentative.html [ Timeout ]\ncrbug.com/1253971 [ Mac ] external/wpt/html/semantics/forms/the-selectmenu-element/selectmenu-parts-structure.tentative.html [ Timeout ]\n\n\n### See crbug.com/891427 comment near the top of this file:\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-block-margins-2.html [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-004.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-001.svg [ Failure ]\n\ncrbug.com/1220220 external/wpt/html/rendering/non-replaced-elements/form-controls/input-placeholder-line-height.html [ Failure ]\n\n# Tests pass under virtual/webrtc-wpt-plan-b\nvirtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-operations.https.html [ Pass ]\n\ncrbug.com/1131471 external/wpt/web-locks/clientids.tentative.https.html [ Failure ]\n\n# See also crbug.com/920100 (sheriff 2019-01-09).\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/external-stylesheet.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/inline-style.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/inline-style-with-differentorigin-base-tag.tentative.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/internal-stylesheet.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/presentation-attribute.html [ Failure Timeout ]\ncrbug.com/626703 external/wpt/referrer-policy/css-integration/svg/processing-instruction.html [ Failure Timeout ]\n\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-complex-001.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-bicubic-001.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-005.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-002.svg [ Failure ]\ncrbug.com/367760 external/wpt/svg/pservers/reftests/meshgradient-basic-003.svg [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-block-margins.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-display-rendering.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/legend-tall.html [ Failure ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesis-pause-resume.tentative.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-9.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-8.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/floats/float-nowrap-7.html [ Failure ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-16.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-64.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-62.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-19b.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-161.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18a.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18c.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-61.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-63.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-19.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-20.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-66.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-21.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-177a.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-17.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-65.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-18b.xml [ Skip ]\ncrbug.com/626703 external/wpt/css/selectors/old-tests/css3-modsel-159.xml [ Skip ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/reload.window.html [ Timeout ]\ncrbug.com/626703 external/wpt/quirks/text-decoration-doesnt-propagate-into-tables/quirks.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-fieldset-and-legend-elements/fieldset-painting-order.html [ Failure ]\ncrbug.com/626703 external/wpt/html/webappapis/dynamic-markup-insertion/opening-the-input-stream/tasks.window.html [ Timeout ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-complex-002.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-shape-inside-001.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-complex-001.svg [ Failure ]\ncrbug.com/875411 external/wpt/svg/text/reftests/text-shape-inside-002.svg [ Failure ]\ncrbug.com/626703 external/wpt/speech-api/SpeechSynthesis-speak-without-activation-fails.tentative.html [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-007.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-005.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-002.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-003.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-201.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-001.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-002.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-006.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-003.svg [ Failure ]\ncrbug.com/366558 external/wpt/svg/text/reftests/text-multiline-001.svg [ Failure ]\ncrbug.com/366553 external/wpt/svg/text/reftests/text-inline-size-101.svg [ Failure ]\ncrbug.com/626703 external/wpt/clear-site-data/executionContexts.sub.html [ Timeout ]\ncrbug.com/626703 [ Win7 ] external/wpt/css/css-lists/content-property/marker-text-matches-armenian.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-disc.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-square.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-lists/content-property/marker-text-matches-circle.html [ Failure ]\ncrbug.com/626703 external/wpt/content-security-policy/securitypolicyviolation/targeting.html [ Timeout ]\ncrbug.com/626703 external/wpt/web-animations/timing-model/timelines/update-and-send-events.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/orientation-reading.html [ Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/browsing-the-web/unloading-documents/prompt-and-unload-script-closeable.html [ Failure ]\n\n# navigation.sub.html fails or times out when run with run_web_tests.py but passes with run_wpt_tests.py\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=windows-1252 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=x-cp1251 [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/navigation.sub.html?encoding=utf8 [ Failure Timeout ]\n\ncrbug.com/626703 external/wpt/fetch/security/redirect-to-url-with-credentials.https.html [ Timeout ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-003.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-004.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/clip-path-shape-circle-005.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-objectboundingbox-content-clip-transform.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-objectboundingbox-content-clip.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-userspaceonuse-content-clip-transform.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path-svg-content/mask-userspaceonuse-content-clip.svg [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-001.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-002.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-005.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-006.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-circle-008.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-element-userSpaceOnUse-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-element-userSpaceOnUse-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-001.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-002.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-003.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-004.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-005.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-006.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-007.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-ellipse-008.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-006.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-007.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-008.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-009.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-010.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-011.html [ Failure ]\ncrbug.com/694218 external/wpt/css/css-masking/clip-path/clip-path-polygon-012.html [ Failure ]\ncrbug.com/843084 external/wpt/css/css-masking/clip-path/clip-path-polygon-013.html [ Failure ]\ncrbug.com/981970 external/wpt/fetch/http-cache/split-cache.html [ Skip ]\ncrbug.com/626703 external/wpt/fetch/http-cache/basic-auth-cache-test.html [ Timeout ]\ncrbug.com/626703 external/wpt/css/cssom-view/scroll-behavior-smooth.html [ Crash Skip Timeout ]\ncrbug.com/626703 external/wpt/html/browsers/history/joint-session-history/joint-session-history-remove-iframe.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/mediaqueries/viewport-script-dynamic.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-fill-stroke/paint-order-001.tentative.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-ui/text-overflow-026.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-inline-table-002.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-table-001.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/fixup-dynamic-anonymous-inline-table-001.html [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t422-rgba-onscreen-multiple-boxes-c.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-onscreen-multiple-boxes-c.xht [ Failure ]\ncrbug.com/626703 [ Linux ] external/wpt/css/css-color/t425-hsla-onscreen-b.xht [ Failure ]\ncrbug.com/626703 [ Win ] external/wpt/css/css-color/t425-hsla-onscreen-b.xht [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1i.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1j.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1k.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-1l.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2i.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2j.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2k.html [ Failure ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/the-page/body-margin-2l.html [ Failure ]\ncrbug.com/626703 external/wpt/acid/acid2/reftest.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/acid/acid3/test.html [ Failure ]\ncrbug.com/626703 external/wpt/css/css-ui/cursor-auto-006.html [ Skip ]\ncrbug.com/626703 external/wpt/css/css-ui/cursor-auto-007.html [ Skip ]\ncrbug.com/626703 external/wpt/compat/webkit-text-fill-color-property-005.html [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/text-decoration-va-length-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/text-decoration-va-length-002.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/white-space-collapsing-bidi-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/CSS2/text/white-space-mixed-001.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/floats/floats-wrap-bfc-006b.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/css-tables/floats/floats-wrap-bfc-006c.xht [ Failure ]\ncrbug.com/626703 external/wpt/css/vendor-imports/mozilla/mozilla-central-reftests/writing-modes-3/logical-physical-mapping-001.html [ Failure ]\ncrbug.com/626703 external/wpt/encoding/eof-utf-8-three.html [ Failure ]\ncrbug.com/626703 external/wpt/encoding/eof-utf-8-two.html [ Failure ]\ncrbug.com/626703 external/wpt/html/browsers/windows/noreferrer-window-name.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/IndexedDB/request-abort-ordering.html [ Failure Pass ]\ncrbug.com/626703 external/wpt/media-source/mediasource-avtracks.html [ Crash Failure ]\ncrbug.com/626703 external/wpt/media-source/mediasource-getvideoplaybackquality.html [ Failure Skip Timeout ]\ncrbug.com/626703 external/wpt/pointerevents/pointerevent_disabled_form_control-manual.html [ Pass Timeout ]\ncrbug.com/958104 external/wpt/presentation-api/controlling-ua/getAvailability.https.html [ Failure ]\ncrbug.com/626703 external/wpt/screen-orientation/onchange-event-subframe.html [ Timeout ]\ncrbug.com/626703 virtual/plz-dedicated-worker/external/wpt/xhr/event-readystatechange-loaded.htm [ Failure Timeout ]\ncrbug.com/626703 external/wpt/html/dom/elements/global-attributes/dir_auto-N-EN-ref.html [ Failure ]\n\n# Synthetic modules report the wrong location in errors\ncrbug.com/994315 virtual/json-modules/external/wpt/html/semantics/scripting-1/the-script-element/json-module/parse-error.html [ Skip ]\n\n# These tests pass on the blink_rel bots but fail on the other builders\ncrbug.com/1051773 external/wpt/css/CSS2/floats/float-nowrap-3-ref.html [ Crash ]\ncrbug.com/1051773 external/wpt/css/CSS2/floats/float-nowrap-4.html [ Crash Timeout ]\n\ncrbug.com/964181 external/wpt/css/css-text/overflow-wrap/overflow-wrap-anywhere-inline-002.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/overflow-wrap/overflow-wrap-anywhere-inline-003.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-004.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-007.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-009.html [ Failure ]\ncrbug.com/964181 external/wpt/css/css-text/word-break/word-break-break-all-inline-010.html [ Failure ]\n\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-006.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-007.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-break-all-008.html [ Failure ]\ncrbug.com/1017164 [ Win ] external/wpt/css/css-text/word-break/word-break-normal-km-000.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-normal-my-000.html [ Failure ]\ncrbug.com/1017164 [ Linux ] external/wpt/css/css-text/word-break/word-break-normal-lo-000.html [ Failure ]\ncrbug.com/1017164 [ Win ] external/wpt/css/css-text/word-break/word-break-normal-lo-000.html [ Failure ]\ncrbug.com/1017164 external/wpt/css/css-text/word-break/word-break-normal-tdd-000.html [ Failure ]\ncrbug.com/1015331 external/wpt/css/css-text/white-space/eol-spaces-bidi-001.html [ Failure ]\n\ncrbug.com/899264 external/wpt/css/css-text/letter-spacing/letter-spacing-control-chars-001.html [ Failure ]\n\ncrbug.com/1250666 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/invalid-image-pending-script.https.html [ Pass Timeout ]\n\ncrbug.com/829028 external/wpt/css/css-break/abspos-in-opacity-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/avoid-border-break.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/borders-005.html [ Failure ]\ncrbug.com/269061 external/wpt/css/css-break/box-shadow.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-at-end-container-edge-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/break-between-avoid-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/fieldset-006.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-003.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-004.html [ Failure ]\ncrbug.com/660611 external/wpt/css/css-break/flexbox/flex-container-fragmentation-007.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/forced-break-at-fragmentainer-start-000.html [ Failure ]\ncrbug.com/614667 external/wpt/css/css-break/grid/grid-item-fragmentation-020.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow-lr.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow-rl.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/monolithic-with-overflow.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-029.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-030.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-032.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-034.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-035.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-036.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-038.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-039.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-040.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-041.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-042.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-043.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-044.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-045.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-046.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-047.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-052.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-054.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-057.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-058.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-059.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-060.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-061.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-062.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-063.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-065.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-066.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-071.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/out-of-flow-in-multicolumn-073.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflow-clip-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflowed-block-with-no-room-after-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/overflowed-block-with-no-room-after-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/relpos-inline-hit-testing.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/relpos-inline.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/ruby-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/tall-line-in-short-fragmentainer-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/trailing-child-margin-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/trailing-child-margin-002.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-003.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-004.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/transform-006.html [ Failure ]\ncrbug.com/1058792 external/wpt/css/css-break/transform-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-break/transform-008.html [ Failure ]\ncrbug.com/1224888 external/wpt/css/css-break/transform-009.html [ Failure ]\ncrbug.com/1156312 external/wpt/css/css-break/widows-orphans-017.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-ltr-rtl-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-rtl-ltr-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vlr-rtl-rtl-in-multicol.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-ltr-rtl-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-rtl-ltr-in-multicol.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/static-position/vrl-rtl-rtl-in-multicol.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-ltr-rtl-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-rtl-ltr-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vlr-rtl-rtl-in-multicols.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-ltr-rtl-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-rtl-ltr-in-multicols.tentative.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-position/multicol/vrl-rtl-rtl-in-multicols.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/abspos-containing-block-outside-spanner.html [ Failure ]\ncrbug.com/967329 external/wpt/css/css-multicol/columnfill-auto-max-height-001.html [ Failure ]\ncrbug.com/967329 external/wpt/css/css-multicol/columnfill-auto-max-height-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/balance-break-avoidance-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/balance-orphans-widows-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/baseline-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/fixed-in-multicol-with-transform-container.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/hit-test-transformed-child.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-000.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-001.html [ Failure ]\ncrbug.com/481431 external/wpt/css/css-multicol/multicol-breaking-004.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-005.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-nobackground-000.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-breaking-nobackground-001.html [ Failure ]\ncrbug.com/481431 external/wpt/css/css-multicol/multicol-breaking-nobackground-004.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-013.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-fill-balance-014.html [ Failure ]\ncrbug.com/829028 [ Mac ] external/wpt/css/css-multicol/multicol-list-item-004.html [ Failure ]\ncrbug.com/829028 [ Mac ] external/wpt/css/css-multicol/multicol-list-item-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-007.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-008.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-012.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-013.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-015.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-016.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-017.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-018.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-022.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-nested-023.html [ Failure ]\ncrbug.com/1246602 external/wpt/css/css-multicol/multicol-oof-inline-cb-001.html [ Failure ]\ncrbug.com/1246602 external/wpt/css/css-multicol/multicol-oof-inline-cb-002.html [ Failure ]\ncrbug.com/792435 external/wpt/css/css-multicol/multicol-rule-004.xht [ Failure ]\ncrbug.com/792437 external/wpt/css/css-multicol/multicol-rule-inset-000.xht [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-001.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-002.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-003.html [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-rule-nested-balancing-004.html [ Failure ]\ncrbug.com/792437 external/wpt/css/css-multicol/multicol-rule-outset-000.xht [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-001.html [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-002.html [ Failure ]\ncrbug.com/963109 external/wpt/css/css-multicol/multicol-span-all-button-003.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-001.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-002.html [ Failure ]\ncrbug.com/874051 external/wpt/css/css-multicol/multicol-span-all-fieldset-003.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-005.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-006.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-007.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-009.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-008.html [ Failure ]\ncrbug.com/926685 external/wpt/css/css-multicol/multicol-span-all-010.html [ Failure ]\ncrbug.com/915204 external/wpt/css/css-multicol/multicol-span-all-011.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-014.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-015.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/multicol-span-all-017.html [ Failure ]\ncrbug.com/892817 external/wpt/css/css-multicol/multicol-span-all-margin-bottom-001.xht [ Failure ]\ncrbug.com/636055 external/wpt/css/css-multicol/multicol-span-all-margin-nested-002.xht [ Failure ]\ncrbug.com/990240 external/wpt/css/css-multicol/multicol-span-all-rule-001.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-001.xht [ Failure ]\ncrbug.com/964183 external/wpt/css/css-multicol/multicol-width-005.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/nested-at-outer-boundary-as-fieldset.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/nested-with-too-tall-line.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/non-adjacent-spanners-000.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/orthogonal-writing-mode-spanner.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-002.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/overflow-unsplittable-003.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-001.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-009.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-010.html [ Failure ]\ncrbug.com/829028 external/wpt/css/css-multicol/spanner-fragmentation-011.html [ Failure ]\ncrbug.com/1191124 external/wpt/css/css-multicol/spanner-fragmentation-012.html [ Failure ]\ncrbug.com/1224888 external/wpt/css/css-multicol/spanner-in-opacity.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-002.html [ Failure ]\ncrbug.com/792446 external/wpt/css/css-multicol/multicol-span-float-003.html [ Failure ]\n\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-007.tentative.html [ Failure ]\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-009.tentative.html [ Failure ]\ncrbug.com/1031667 external/wpt/css/css-pseudo/marker-content-011.tentative.html [ Failure ]\ncrbug.com/1097992 external/wpt/css/css-pseudo/marker-font-variant-numeric-normal.html [ Failure ]\ncrbug.com/1060007 external/wpt/css/css-pseudo/marker-text-combine-upright.html [ Failure ]\n\n# iframe tests time out if the request is blocked as mixed content.\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/iframe-blank-inherit.meta/unset/iframe-tag.https.html [ Skip Timeout ]\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/srcdoc-inherit.meta/unset/iframe-tag.https.html [ Skip Timeout ]\ncrbug.com/1001374 external/wpt/upgrade-insecure-requests/gen/top.meta/unset/iframe-tag.https.html [ Skip Timeout ]\n\n# Different results on try bots and CQ, skipped to unblock wpt import.\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-default-css.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-element.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-main-frame-root.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-main-frame-window.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-scrollintoview-nested.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-smooth-positions.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-subframe-root.html [ Skip ]\ncrbug.com/888443 external/wpt/css/cssom-view/scroll-behavior-subframe-window.html [ Skip ]\n\n# Crashes with DCHECK enabled, but not on normal Release builds.\ncrbug.com/809935 external/wpt/css/css-fonts/variations/font-style-interpolation.html [ Skip Timeout ]\ncrbug.com/626703 external/wpt/css/css-ui/text-overflow-011.html [ Crash Failure Pass ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/margin-collapsing-quirks/multicol-quirks-mode.html [ Crash Pass ]\ncrbug.com/626703 external/wpt/html/rendering/non-replaced-elements/margin-collapsing-quirks/multicol-standards-mode.html [ Crash Failure Pass ]\n\n# Other untriaged test failures, timeouts and crashes from newly-imported WPT tests.\ncrbug.com/626703 external/wpt/html/browsers/history/the-location-interface/location-protocol-setter-non-broken.html [ Failure Pass ]\n\n# <input disabled> does not fire click events after dispatchEvent\ncrbug.com/1115661 external/wpt/dom/events/Event-dispatch-click.html [ Timeout ]\n\n# Implement text-decoration correctly for vertical text\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-thickness-vertical-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-underline-offset-vertical-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-skip-ink-upright-002.html [ Failure ]\ncrbug.com/1133806 external/wpt/css/css-text-decor/text-decoration-skip-ink-upright-001.html [ Failure ]\n\ncrbug.com/912362 external/wpt/web-animations/timing-model/timelines/timelines.html [ Failure ]\n\n# Unclear if XHR events should still be fired after its frame is discarded.\ncrbug.com/881180 external/wpt/xhr/open-url-multi-window-4.htm [ Timeout ]\n\ncrbug.com/910709 navigator_language/worker_navigator_language.html [ Timeout ]\n\ncrbug.com/435547 http/tests/cachestorage/serviceworker/ignore-search-with-credentials.html [ Skip ]\n\ncrbug.com/697971 [ Mac10.12 ] virtual/text-antialias/selection/flexbox-selection-nested.html [ Skip ]\ncrbug.com/697971 [ Mac10.12 ] virtual/text-antialias/selection/flexbox-selection.html [ Skip ]\n\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-bottom-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-bottom-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-bottom-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-bottom-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-radius-clip-001.html [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-radius-clip-001.html [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-radius-clip-002.htm [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-radius-clip-002.htm [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-top-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-top-left-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/border-top-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/border-top-right-radius-010.xht [ Failure Pass ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/box-shadow-radius-000.html [ Failure ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/box-shadow-radius-000.html [ Failure ]\ncrbug.com/1160916 virtual/threaded/external/wpt/css/css-backgrounds/box-shadow-radius-001.html [ Failure ]\ncrbug.com/1160916 external/wpt/css/css-backgrounds/box-shadow-radius-001.html [ Failure ]\n\n# [css-grid]\ncrbug.com/1045599 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-safe-001.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/alignment/grid-row-axis-self-baseline-synthesized-004.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/alignment/grid-self-baseline-not-applied-if-sizing-cyclic-dependency-003.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-columns-001.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-columns-interpolation.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-rows-001.html [ Failure ]\ncrbug.com/759665 external/wpt/css/css-grid/animation/grid-template-rows-interpolation.html [ Failure ]\ncrbug.com/1045599 external/wpt/css/css-grid/grid-definition/grid-repeat-max-width-001.html [ Failure ]\n\n# The 'last baseline' keyword is not implemented yet\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-item-self-baseline-001.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-001.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-002.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-004.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/alignment/grid-self-alignment-baseline-with-grid-003.html [ Skip ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-img-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-rtl-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-align-self-vertWM-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-img-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-rtl-last-baseline-004.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-001.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-002.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-003.html [ Failure ]\ncrbug.com/885175 external/wpt/css/css-grid/abspos/grid-abspos-staticpos-justify-self-vertWM-last-baseline-004.html [ Failure ]\n\n# Baseline Content-Alignment is not implemented yet for CSS Grid Layout\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-001.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-002.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-003.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-content-baseline-004.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-001.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-002.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-003.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-item-mixed-baseline-004.html [ Skip ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-baseline-align-001.html [ Failure ]\ncrbug.com/764235 external/wpt/css/css-grid/alignment/grid-baseline-justify-001.html [ Failure ]\n\n# Subgrid is not implemented yet\ncrbug.com/618969 external/wpt/css/css-grid/subgrid/* [ Skip ]\n\n### Tests failing with SVGTextNG enabled:\ncrbug.com/1179585 svg/custom/visibility-collapse.html [ Failure ]\n\ncrbug.com/1236992 svg/dom/SVGListPropertyTearOff-gccrash.html [ Failure Pass ]\n\n# [css-animations]\ncrbug.com/993365 external/wpt/css/css-transitions/Element-getAnimations.tentative.html [ Failure Pass ]\n\ncrbug.com/664450 http/tests/devtools/console/console-on-animation-worklet.js [ Skip ]\n\ncrbug.com/826419 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-remove-track-inband.html [ Skip ]\n\ncrbug.com/825798 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-webvtt-non-snap-to-lines.html [ Failure ]\n\ncrbug.com/1093188 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-webvtt-two-cue-layout-after-first-end.html [ Failure Pass ]\n\n# This test requires a special browser flag and seems not suitable for a wpt test, see bug.\ncrbug.com/691944 external/wpt/service-workers/service-worker/update-after-oneday.https.html [ Skip ]\n\n# These tests (erroneously) see a platform-specific User-Agent header\ncrbug.com/595993 external/wpt/service-workers/service-worker/fetch-header-visibility.https.html [ Failure ]\n\ncrbug.com/619427 [ Mac ] fast/overflow/overflow-height-float-not-removed-crash3.html [ Failure Pass ]\n\ncrbug.com/670024 external/wpt/webmessaging/broadcastchannel/sandbox.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/with-ports/001.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/without-ports/001.html [ Failure ]\ncrbug.com/660384 external/wpt/webmessaging/with-options/broken-origin.html [ Failure ]\n\n# Added 2016-12-12\ncrbug.com/610835 http/tests/security/XFrameOptions/x-frame-options-deny-multiple-clients.html [ Failure Pass ]\n\ncrbug.com/892212 http/tests/wasm/wasm_remote_postMessage_test.https.html [ Failure Pass Timeout ]\n\n# ====== Random order flaky tests from here ======\n# These tests are flaky when run in random order, which is the default on Linux & Mac since since 2016-12-16.\n\ncrbug.com/702837 virtual/text-antialias/aat-morx.html [ Skip ]\n\ncrbug.com/688670 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cue-rendering-after-controls-removed.html [ Failure Pass ]\n\ncrbug.com/849670 http/tests/devtools/service-workers/service-worker-v8-cache.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/overflow-scroll-animates.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/overflow-scroll-root-frame-animates.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/horizontal-smooth-scroll-in-rtl.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/main-thread-scrolling-reason-added.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-anchors.html [ Skip ]\ncrbug.com/664858 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/ongoing-smooth-scroll-vertical-rl-anchors.html [ Skip ]\n\ncrbug.com/900431 [ Mac ] css3/blending/mix-blend-mode-isolated-group-1.html [ Failure Pass ]\ncrbug.com/900431 [ Mac ] css3/blending/mix-blend-mode-isolated-group-3.html [ Failure Pass ]\n\n# ====== Random order flaky tests end here ======\n\n# ====== Tests from enabling .any.js/.worker.js tests begin here ======\ncrbug.com/709227 external/wpt/console/console-time-label-conversion.any.html [ Failure ]\ncrbug.com/709227 external/wpt/console/console-time-label-conversion.any.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/browsers/history/the-location-interface/per-global.window.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.arc.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.closed.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.curve.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.line.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/path-objects/2d.path.stroke.prune.rect.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.create2.nonfinite.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.get.nonfinite.worker.html [ Failure ]\ncrbug.com/709227 external/wpt/html/canvas/offscreen/pixel-manipulation/2d.imageData.put.nonfinite.worker.html [ Failure ]\n\n# ====== Tests from enabling .any.js/.worker.js tests end here ========\n\ncrbug.com/789139 http/tests/devtools/sources/debugger/live-edit-no-reveal.js [ Crash Failure Pass Skip Timeout ]\n\n# ====== Begin of display: contents tests ======\n\ncrbug.com/181374 external/wpt/css/css-display/display-contents-dynamic-table-001-inline.html [ Failure ]\n\n# ====== End of display: contents tests ======\n\n# ====== Begin of other css-display tests ======\n\ncrbug.com/995106 external/wpt/css/css-display/display-flow-root-list-item-001.html [ Failure ]\n\n# ====== End of other css-display tests ======\n\ncrbug.com/930297 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/utf-16be.html?include=workers [ Skip Timeout ]\ncrbug.com/930297 external/wpt/html/infrastructure/urls/resolving-urls/query-encoding/utf-16le.html?include=workers [ Skip Timeout ]\n\ncrbug.com/676229 plugins/mouse-click-plugin-clears-selection.html [ Failure Pass ]\ncrbug.com/742670 plugins/iframe-plugin-bgcolor.html [ Failure Pass ]\ncrbug.com/780398 [ Mac ] plugins/mouse-capture-inside-shadow.html [ Failure Pass ]\n\ncrbug.com/678493 http/tests/permissions/chromium/test-request-window.html [ Pass Skip Timeout ]\n\ncrbug.com/689781 external/wpt/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/689781 [ Win ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/689781 [ Mac ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\n\ncrbug.com/681468 [ Win ] virtual/scalefactor150/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\ncrbug.com/681468 [ Win ] virtual/scalefactor200withzoom/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\ncrbug.com/681468 [ Win ] virtual/scalefactor200/fast/hidpi/static/data-suggestion-picker-appearance.html [ Failure Pass Timeout ]\n\ncrbug.com/1157857 virtual/percent-based-scrolling/max-percent-delta-cross-origin-iframes.html [ Failure Pass Timeout ]\n\ncrbug.com/683800 [ Debug Win7 ] external/wpt/selection/* [ Failure Pass ]\n\ncrbug.com/716320 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/broadcastchannel-success-and-failure.https.html [ Failure Timeout ]\n\n# Test timing out when SharedArrayBuffer is disabled by default.\n# See https://crbug.com/1194557\ncrbug.com/1194557 http/tests/devtools/sources/debugger-breakpoints/set-breakpoint-while-blocking-main-thread.js [ Skip Timeout ]\ncrbug.com/1194557 virtual/shared_array_buffer_on_desktop/http/tests/devtools/sources/debugger-breakpoints/set-breakpoint-while-blocking-main-thread.js [ Pass ]\n\n# Test output varies depending on the bot. A single expectation file doesn't\n# work.\ncrbug.com/1194557 fast/beacon/beacon-basic.html [ Failure Pass ]\ncrbug.com/1194557 virtual/shared_array_buffer_on_desktop/fast/beacon/beacon-basic.html [ Pass ]\n\n# This test passes only when the JXL feature is enabled.\ncrbug.com/1161994 http/tests/inspector-protocol/emulation/emulation-set-disabled-image-types-jxl.js [ Failure Pass ]\n\ncrbug.com/874302 external/wpt/wasm/serialization/module/broadcastchannel-success-and-failure.html [ Timeout ]\ncrbug.com/874302 external/wpt/wasm/serialization/module/broadcastchannel-success.html [ Timeout ]\n\ncrbug.com/877286 external/wpt/wasm/serialization/module/no-transferring.html [ Failure ]\n\ncrbug.com/831509 external/wpt/service-workers/service-worker/skip-waiting-installed.https.html [ Failure Pass ]\n\n# Fullscreen tests are failed because of consuming user activation on fullscreen\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-twice-manual.html [ Failure ]\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-two-elements-manual.html [ Failure ]\ncrbug.com/852645 external/wpt/fullscreen/api/element-request-fullscreen-two-iframes-manual.html [ Failure Timeout ]\n\n# snav tests fail because of a DCHECK\ncrbug.com/985520 virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-enter-from-interest-a11y.html [ Crash ]\ncrbug.com/985520 virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-enter-from-interest.html [ Crash ]\n\n# User-Agent is not able to be set on XHR/fetch\ncrbug.com/571722 external/wpt/xhr/preserve-ua-header-on-redirect.htm [ Failure ]\n\n# Sheriff failures 2017-03-10\ncrbug.com/741210 [ Mac ] inspector-protocol/emulation/device-emulation-restore.js [ Failure ]\n\n# Sheriff failures 2017-03-21\ncrbug.com/703518 http/tests/devtools/tracing/worker-js-frames.js [ Failure Pass ]\ncrbug.com/674720 http/tests/loading/preload-img-test.html [ Failure Pass ]\n\n# Sheriff failures 2017-05-11\ncrbug.com/724027 http/tests/security/contentSecurityPolicy/directive-parsing-03.html [ Skip ]\ncrbug.com/724027 http/tests/security/contentSecurityPolicy/source-list-parsing-04.html [ Skip ]\n\n# Sheriff failures 2017-05-16\ncrbug.com/722212 fast/events/pointerevents/mouse-pointer-event-properties.html [ Failure Pass Timeout ]\n# Crashes on win\ncrbug.com/722943 [ Win ] media/audio-repaint.html [ Crash ]\n\n# Sheriff failures 2018-08-15\ncrbug.com/874837 [ Win ] ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure Pass ]\ncrbug.com/874837 [ Linux ] ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure Pass ]\ncrbug.com/874931 virtual/threaded-prefer-compositing/fast/scroll-behavior/smooth-scroll/mousewheel-scroll.html [ Crash Failure Pass ]\ncrbug.com/875003 [ Win ] editing/caret/caret-is-hidden-when-no-focus.html [ Failure Pass ]\n\n# Sheiff failures 2021-04-09\ncrbug.com/1197444 [ Linux ] virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/overlay-scrollbar-over-child-layer-nested-2.html [ Crash Failure Pass ]\n\ncrbug.com/715718 external/wpt/media-source/mediasource-remove.html [ Failure Pass ]\n\n# Feature Policy changes fullscreen behaviour, tests need updating\ncrbug.com/718155 fullscreen/full-screen-restrictions.html [ Failure Skip Timeout ]\n\ncrbug.com/852645 gamepad/full-screen-gamepad.html [ Timeout ]\n\ncrbug.com/1191123 gamepad/gamepad-polling-access.html [ Failure Pass ]\n\n# Feature Policy changes same-origin allowpaymentrequest behaviour, tests need updating\ncrbug.com/718155 payments/payment-request-in-iframe.html [ Failure ]\ncrbug.com/718155 payments/payment-request-in-iframe-nested-not-allowed.html [ Failure ]\n\n# Expect to fail. The test is applicable only when DigitalGoods flag is disabled.\ncrbug.com/1080870 http/tests/payments/payment-request-app-store-billing-mandatory-total.html [ Failure ]\n\n# Layout Tests on Swarming (Windows) - https://crbug.com/717347\ncrbug.com/713094 [ Win ] fast/css/fontfaceset-check-platform-fonts.html [ Failure Pass ]\n\n# Image decode failures due to document destruction.\ncrbug.com/721435 external/wpt/html/semantics/embedded-content/the-img-element/decode/image-decode-iframe.html [ Skip ]\n\n# Sheriff failures 2017-05-23\ncrbug.com/725470 editing/shadow/doubleclick-on-meter-in-shadow-crash.html [ Crash Failure Pass ]\n\n# Sheriff failures 2017-06-14\ncrbug.com/737959 http/tests/misc/object-image-load-outlives-gc-without-crashing.html [ Failure Pass ]\n\ncrbug.com/737959 http/tests/misc/video-poster-image-load-outlives-gc-without-crashing.html [ Crash Failure Pass ]\n\n# module script lacks XHTML support\ncrbug.com/717643 external/wpt/html/semantics/scripting-1/the-script-element/module/module-in-xhtml.xhtml [ Failure ]\n\n# known bug: import() inside set{Timeout,Interval}\n\n# Service worker updates need to handle redirect appropriately.\ncrbug.com/889798 external/wpt/service-workers/service-worker/import-scripts-redirect.https.html [ Skip ]\n\n# Service workers need to handle Clear-Site-Data appropriately.\ncrbug.com/1052641 external/wpt/service-workers/service-worker/unregister-immediately-before-installed.https.html [ Skip ]\ncrbug.com/1052642 external/wpt/service-workers/service-worker/unregister-immediately-during-extendable-events.https.html [ Skip ]\n\n# known bug of SubresourceWebBundles\ncrbug.com/1244483 external/wpt/web-bundle/subresource-loading/link-non-utf8-query-encoding-encoded-src.https.tentative.html [ Failure ]\n\n# Sheriff failures 2017-07-03\ncrbug.com/708994 http/tests/security/cross-frame-mouse-source-capabilities.html [ Pass Skip Timeout ]\ncrbug.com/746128 [ Mac ] media/controls/video-enter-exit-fullscreen-without-hovering-doesnt-show-controls.html [ Failure Pass ]\n\n# Tests failing when enabling new modern media controls\ncrbug.com/831942 media/webkit-media-controls-webkit-appearance.html [ Failure Pass ]\ncrbug.com/832157 external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cue-rendering-after-controls-added.html [ Skip ]\ncrbug.com/832169 media/media-controls-fit-properly-while-zoomed.html [ Failure Pass ]\ncrbug.com/832447 media/controls/controls-page-zoom-in.html [ Failure Pass ]\ncrbug.com/832447 media/controls/controls-page-zoom-out.html [ Failure Pass ]\ncrbug.com/849694 [ Mac ] http/tests/media/controls/toggle-class-with-state-source-buffer.html [ Failure Pass ]\n\n# Tests currently failing on Windows when run on Swarming\ncrbug.com/757165 [ Win ] compositing/culling/filter-occlusion-blur.html [ Skip ]\ncrbug.com/757165 [ Win ] css3/blending/mix-blend-mode-with-filters.html [ Skip ]\ncrbug.com/757165 [ Win ] external/wpt/preload/download-resources.html [ Skip ]\ncrbug.com/757165 [ Win ] external/wpt/preload/preload-default-csp.sub.html [ Skip ]\ncrbug.com/757165 [ Win ] fast/forms/file/recover-file-input-in-unposted-form.html [ Skip ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-aligned-not-aligned.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-clipped-overflowed-content.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-container-only-white-space.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-container-white-space.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-date.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-div-scrollable-but-without-focusable-content.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-fully-aligned-horizontally.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-fully-aligned-vertically.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-hidden-iframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-hidden-iframe-zero-size.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-iframe-recursive-offset-parent.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-area-not-focusable.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-area-without-image.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-overlapped-areas.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-imagemap-simple.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-input.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-multiple-select.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-not-below.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-not-rightof.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-overlapping-elements.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-radio-group.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-radio.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-single-select.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-symmetrically-positioned.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-table-traversal.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-textarea.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-tiny-table-traversal.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-two-elements-one-line.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-unit-overflow-and-scroll-in-direction.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] fast/spatial-navigation/snav-z-index.html [ Crash Failure Pass Timeout ]\ncrbug.com/757165 [ Win ] http/tests/devtools/sources/ui-source-code-metadata.js [ Skip ]\ncrbug.com/757165 [ Win ] http/tests/misc/client-hints-accept-meta-preloader.html [ Skip ]\ncrbug.com/757165 [ Win ] paint/invalidation/filters/filter-repaint-accelerated-child-with-filter-child.html [ Skip ]\ncrbug.com/757165 [ Win ] paint/invalidation/filters/filter-repaint-on-accelerated-layer.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-filter-modified-save-restore.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-filter-modified.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/threaded-no-composited-antialiasing/animations/svg/animated-filter-svg-element.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-clipping.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-color-over-image.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-fill-style.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-global-alpha.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-image.html [ Skip ]\n# This is timing out on non-windows platforms, marked as skip on all platforms.\ncrbug.com/757165 virtual/gpu/fast/canvas/canvas-blending-gradient-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-gradient.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-image.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-image-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-pattern-over-color.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-pattern-over-pattern.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-text.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-blending-transforms.html [ Skip ]\n# This is currently skipped on all OSes due to crbug.com/775957\n#crbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-incremental-repaint.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-scale-drawImage-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/canvas-strokeRect-alpha-shadow.html [ Skip ]\ncrbug.com/757165 [ Win ] virtual/gpu/fast/canvas/image-object-in-canvas.html [ Skip ]\n\n# Antialiasing error\ncrbug.com/845973 virtual/display-compositor-pixel-dump/fast/canvas/display-compositor-pixel-dump/OffscreenCanvas-opaque-background-compositing.html [ Failure Pass ]\n\n# Some Windows 7 vm images have a timezone-related registry not populated\n# leading this test to fail.\n# https://chromium-review.googlesource.com/c/chromium/src/+/1379250/6\ncrbug.com/856119 [ Win7 ] fast/js/regress/resolved-timezone-defined.html [ Failure Pass ]\n\n# Tests occasionaly timing out (flaky) on WebKit Win7 dbg builder\ncrbug.com/757955 http/tests/devtools/tracing/timeline-paint/layer-tree.js [ Failure Pass Skip Timeout ]\n\n# This test has a fixed number of time which can depend on performance.\n\ncrbug.com/669329 http/tests/devtools/tracing/timeline-js/timeline-runtime-stats.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/769347 [ Mac ] fast/dom/inert/inert-node-is-uneditable.html [ Failure ]\n\ncrbug.com/769056 virtual/text-antialias/emoji-web-font.html [ Failure ]\ncrbug.com/1159689 [ Mac ] virtual/text-antialias/emoticons.html [ Failure Pass ]\n\ncrbug.com/770232 [ Win10.20h2 ] virtual/text-antialias/hyphenate-character.html [ Failure ]\n\n# Editing commands incorrectly assume no plain text length change after formatting text.\ncrbug.com/764489 editing/execCommand/format-block-multiple-paragraphs.html [ Failure ]\ncrbug.com/764489 editing/execCommand/format-block-multiple-paragraphs-in-pre.html [ Failure ]\n\n# Previous/NextWordPosition crossing editing boundaries.\ncrbug.com/900060 editing/selection/mixed-editability-8.html [ Failure ]\n\n# Sheriff failure 2017-09-18\ncrbug.com/766404 [ Mac ] plugins/keyboard-events.html [ Failure Pass ]\n\n# Layout test corrupted after Skia rect tessellation change due to apparent SwiftShader bug.\n# This was previously skipped on Windows in the section for crbug.com/757165\ncrbug.com/775957 virtual/gpu/fast/canvas/canvas-incremental-repaint.html [ Skip ]\n\n# Sheriff failures 2017-09-21\ncrbug.com/767469 http/tests/navigation/start-load-during-provisional-loader-detach.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-02\ncrbug.com/770971 [ Win7 ] fast/forms/suggested-value.html [ Failure Pass ]\ncrbug.com/771492 external/wpt/css/css-tables/table-model-fixup-2.html [ Failure ]\n\ncrbug.com/807191 fast/media/mq-color-gamut-picture.html [ Failure Pass Skip Timeout ]\n\n# Text rendering on Win7 failing image diffs, flakily.\ncrbug.com/773122 [ Win7 ] virtual/text-antialias/international/unicode-bidi-plaintext-in-textarea.html [ Failure Pass ]\ncrbug.com/773122 [ Win7 ] virtual/text-antialias/whitespace/022.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-13\ncrbug.com/774463 [ Debug Win7 ] fast/events/autoscroll-should-not-stop-on-keypress.html [ Failure Pass ]\n\n# Sheriff failures 2017-10-23\ncrbug.com/772411 http/tests/media/autoplay-crossorigin.html [ Failure Pass Timeout ]\n\n# Sheriff failures 2017-10-24\ncrbug.com/773122 crbug.com/777813 [ Win ] virtual/text-antialias/font-ascent-mac.html [ Failure Pass ]\n\n# Cookie Store API\ncrbug.com/827231 [ Win ] external/wpt/cookie-store/change_eventhandler_for_document_cookie.tentative.https.window.html [ Failure Pass Timeout ]\n\n# The \"Lax+POST\" or lax-allowing-unsafe intervention for SameSite-by-default\n# cookies causes POST tests to fail.\ncrbug.com/990439 external/wpt/cookies/samesite/form-post-blank.https.html [ Failure ]\ncrbug.com/843945 external/wpt/cookies/samesite/form-post-blank-reload.https.html [ Failure ]\ncrbug.com/990439 http/tests/cookies/same-site/popup-cross-site-post.https.html [ Failure ]\n\n# Flaky Windows-only content_shell crash\ncrbug.com/1162205 [ Win ] virtual/schemeful-same-site/external/wpt/cookies/attributes/path-redirect.html [ Crash Pass ]\ncrbug.com/1162205 [ Win ] external/wpt/cookies/attributes/path-redirect.html [ Crash Pass ]\n\n# Temporarily disable failing cookie control character tests until we implement\n# the latest spec changes. Specifically, 0x00, 0x0d and 0x0a should cause\n# cookie rejection instead of truncation, and the tab character should be\n# treated as a valid character.\ncrbug.com/1233602 external/wpt/cookies/attributes/attributes-ctl.sub.html [ Failure ]\ncrbug.com/1233602 external/wpt/cookies/name/name-ctl.html [ Failure ]\ncrbug.com/1233602 external/wpt/cookies/value/value-ctl.html [ Failure ]\n\n# The virtual tests run with Schemeful Same-Site disabled. These should fail to ensure the disabled feature code paths work.\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-websockets.sub.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-iframe-subresource.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-subresource.tentative.html [ Failure ]\ncrbug.com/1127348 virtual/schemeful-same-site/external/wpt/cookies/schemeful-same-site/schemeful-navigation.tentative.html [ Failure ]\n\n# These tests fail with Schemeful Same-Site due to their cross-schemeness. Skip them until there's a more permanent solution.\ncrbug.com/1141909 external/wpt/websockets/cookies/001.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/002.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/003.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/005.html?wss [ Skip ]\ncrbug.com/1141909 external/wpt/websockets/cookies/007.html?wss [ Skip ]\n\n# Sheriff failures 2017-12-04\ncrbug.com/667560 http/tests/devtools/elements/styles-4/inline-style-sourcemap.js [ Failure Pass ]\n\n# Double tap on modern media controls is a bit more complicated on Mac but\n# since we are not targeting Mac yet we can come back and fix this later.\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-backwards.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-forwards.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-jump-forwards-too-short.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-on-play-button.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/doubletap-to-toggle-fullscreen.html [ Skip ]\ncrbug.com/783154 [ Mac ] media/controls/click-anywhere-to-play-pause.html [ Skip ]\n\n# Seen flaky on Linux, suppressing on Windows as well\ncrbug.com/831720 [ Win ] media/controls/doubletap-to-jump-forwards-too-short.html [ Failure Pass ]\ncrbug.com/831720 [ Linux ] media/controls/doubletap-to-jump-forwards-too-short.html [ Failure Pass ]\ncrbug.com/831720 media/controls/tap-to-hide-controls.html [ Failure Pass ]\n\n# These tests require Unified Autoplay.\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-allowed-by-feature-policy-attribute-redirect-on-load.https.sub.html [ Skip ]\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-default-feature-policy.https.sub.html [ Skip ]\ncrbug.com/779087 external/wpt/html/semantics/embedded-content/media-elements/autoplay-disabled-by-feature-policy.https.sub.html [ Skip ]\n\n# Does not work on Mac\ncrbug.com/793771 [ Mac ] media/controls/scrubbing.html [ Skip ]\n\n# Different paths may have different anti-aliasing pixels 2018-02-21\nskbug.com/7641 external/wpt/css/css-paint-api/paint2d-paths.https.html [ Failure Pass ]\n\n# Sheriff failures 2018-01-25\n# Flaking on Linux Tests, WebKit Linux Trusty (also ASAN, Leak)\ncrbug.com/805794 [ Linux ] virtual/android/url-bar/bottom-fixed-adjusted-when-showing-url-bar.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-05\ncrbug.com/809152 netinfo/estimate-multiple-frames.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-20\ncrbug.com/789921 media/controls/repaint-on-resize.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-21\ncrbug.com/814585 [ Linux ] fast/css3-text/css3-text-decoration/text-underline-position/text-underline-position-cjk.html [ Failure Pass ]\n\n# Sheriff failures 2018-02-22\ncrbug.com/814889 idle-callback/test-runner-run-idle-tasks.html [ Crash Pass Timeout ]\ncrbug.com/814953 fast/replaced/no-focus-ring-iframe.html [ Failure Pass ]\ncrbug.com/814964 virtual/gpu-rasterization/images/yuv-decode-eligible/color-profile-border-radius.html [ Failure Pass ]\n\n# These pass on bots with proprietary codecs (most CQ bots) while failing on bots without.\ncrbug.com/807110 external/wpt/html/semantics/embedded-content/media-elements/mime-types/canPlayType.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-addsourcebuffer.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-buffered.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-a-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-audio-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-framesize.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-av-video-bitrate.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-bitrate.html [ Failure Pass Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-framerate.html [ Failure Pass Skip Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-config-change-mp4-v-framesize.html [ Failure Pass ]\n# Failure and Pass for crbug.com/807110 and Timeout for crbug.com/727252.\ncrbug.com/727252 external/wpt/media-source/mediasource-endofstream.html [ Failure Pass Timeout ]\ncrbug.com/807110 external/wpt/media-source/mediasource-is-type-supported.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-sequencemode-append-buffer.html [ Failure Pass ]\ncrbug.com/807110 external/wpt/media-source/mediasource-sourcebuffer-mode-timestamps.html [ Failure Pass ]\ncrbug.com/794338 media/video-rotation.html [ Failure Pass ]\ncrbug.com/811605 media/video-poster-after-loadedmetadata.html [ Failure Pass ]\n\n# MHT works only when loaded from local FS (file://..).\ncrbug.com/778467 [ Fuchsia ] mhtml/mhtml_in_iframe.html [ Failure ]\n\n# These tests timeout when using Scenic ozone platform.\ncrbug.com/1067477 [ Fuchsia ] fast/media/matchmedium-query-api.html [ Skip ]\ncrbug.com/1067477 [ Fuchsia ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen.html [ Skip ]\n\n# These tests are flaky when using Scenic ozone platform.\ncrbug.com/1047480 [ Fuchsia ] css3/calc/reflection-computed-style.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] external/wpt/web-animations/interfaces/Animation/ready.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] fast/block/float/floats-with-margin-should-not-wrap.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] fast/block/margin-collapse/clear-nested-float-more-than-one-previous-sibling-away.html [ Failure Pass ]\ncrbug.com/1047480 [ Fuchsia ] virtual/gpu-rasterization/images/drag-image-descendant-painting-sibling.html [ Failure Pass ]\n\n### See crbug.com/891427 comment near the top of this file:\n###crbug.com/816914 [ Mac ] fast/canvas/canvas-drawImage-live-video.html [ Failure Pass ]\ncrbug.com/817167 http/tests/devtools/oopif/oopif-cookies-refresh.js [ Failure Pass Skip Timeout ]\n\n# Disable temporarily on Win7, will remove them when they are not flaky.\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\ncrbug.com/1047176 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-mouse-operations.html [ Failure Pass Timeout ]\n\n# Sheriff 2018-03-02\ncrbug.com/818076 http/tests/devtools/oopif/oopif-elements-navigate-in.js [ Failure Pass ]\n\n# Sheriff 2018-03-05\ncrbug.com/818650 [ Linux ] wpt_internal/speech/scripted/speechrecognition-restart-onend.html [ Crash Pass ]\n\n# Prefetching Signed Exchange DevTools tests are flaky.\ncrbug.com/851363 http/tests/devtools/sxg/sxg-prefetch-fail.js [ Failure Pass ]\ncrbug.com/851363 http/tests/devtools/sxg/sxg-prefetch.js [ Failure Pass ]\n\n# Sheriff 2018-03-22\ncrbug.com/824775 media/controls/video-controls-with-cast-rendering.html [ Failure Pass ]\ncrbug.com/824848 external/wpt/html/semantics/links/following-hyperlinks/activation-behavior.window.html [ Failure Pass ]\n\n# Sheriff 2018-03-26\ncrbug.com/825733 [ Win ] media/color-profile-video-seek-filter.html [ Failure Pass Skip Timeout ]\ncrbug.com/754986 media/video-transformed.html [ Failure Pass ]\n\n# Sheriff 2018-03-29\ncrbug.com/827209 [ Win ] fast/events/middleClickAutoscroll-latching.html [ Failure Pass Timeout ]\ncrbug.com/827209 [ Linux ] fast/events/middleClickAutoscroll-latching.html [ Failure Pass Timeout ]\n\n# Utility for manual testing, not intended to be run as part of layout tests.\ncrbug.com/785955 http/tests/credentialmanager/tools/virtual-authenticator-environment-manual.html [ Skip ]\n\n# Sheriff 2018-04-11\ncrbug.com/831796 fast/events/autoscroll-in-textfield.html [ Failure Pass ]\n\n# First party DevTools issues only work in the first-party-sets virtual suite\ncrbug.com/1179186 http/tests/inspector-protocol/network/blocked-cookie-same-party-issue.js [ Skip ]\ncrbug.com/1179186 http/tests/inspector-protocol/network/blocked-setcookie-same-party-cross-party-issue.js [ Skip ]\ncrbug.com/1179186 virtual/first-party-sets/http/tests/inspector-protocol/network/blocked-cookie-same-party-issue.js [ Pass ]\ncrbug.com/1179186 virtual/first-party-sets/http/tests/inspector-protocol/network/blocked-setcookie-same-party-cross-party-issue.js [ Pass ]\n\n# Sheriff 2018-04-13\ncrbug.com/833655 [ Linux ] media/controls/closed-captions-dynamic-update.html [ Skip ]\ncrbug.com/833658 media/video-controls-focus-movement-on-hide.html [ Failure Pass ]\n\n# Sheriff 2018-05-22\ncrbug.com/845610 [ Win ] http/tests/inspector-protocol/target/target-browser-context.js [ Failure Pass ]\n\n# Sheriff 2018-05-28\n# Merged failing devtools/editor tests.\n### See crbug.com/891427 comment near the top of this file:\ncrbug.com/749738 http/tests/devtools/editor/text-editor-word-jumps.js [ Pass Skip Timeout ]\ncrbug.com/846997 http/tests/devtools/editor/text-editor-ctrl-d-1.js [ Pass Skip Timeout ]\ncrbug.com/846982 http/tests/devtools/editor/text-editor-formatter.js [ Pass Skip Timeout ]\n###crbug.com/847114 [ Linux ] http/tests/devtools/tracing/decode-resize.js [ Pass Failure ]\n###crbug.com/847114 [ Linux ] virtual/threaded/http/tests/devtools/tracing/decode-resize.js [ Pass Failure ]\n\ncrbug.com/843135 virtual/gpu/fast/canvas/canvas-arc-circumference-fill.html [ Failure Pass ]\n\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-arc-circumference.html [ Failure ]\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-ellipse-circumference-fill.html [ Failure ]\ncrbug.com/941429 virtual/gpu/fast/canvas/canvas-ellipse-circumference.html [ Failure ]\n\n# Sheriff 2018-05-31\ncrbug.com/848398 http/tests/devtools/oopif/oopif-performance-cpu-profiles.js [ Failure Pass Skip Timeout ]\n\n# Flakes 2018-06-02\ncrbug.com/841567 fast/scrolling/scrollbar-tickmarks-hittest.html [ Failure Pass ]\n\n# Flakes 2018-06-04\n\n# Sheriff 2018-06-07\ncrbug.com/850358 http/tests/devtools/editor/text-editor-enter-behaviour.js [ Failure Pass Skip Timeout ]\ncrbug.com/849978 http/tests/devtools/elements/styles-4/stylesheet-source-url-comment.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/854538 [ Win7 ] http/tests/security/contentSecurityPolicy/1.1/form-action-src-default-ignored-with-redirect.html [ Skip ]\n\n# User Activation\ncrbug.com/736415 crbug.com/1066190 external/wpt/html/user-activation/navigation-state-reset-crossorigin.sub.tentative.html [ Failure Timeout ]\ncrbug.com/736415 external/wpt/html/user-activation/navigation-state-reset-sameorigin.tentative.html [ Failure ]\n\n# Sheriff 2018-07-05\ncrbug.com/861682 [ Win ] external/wpt/css/mediaqueries/device-aspect-ratio-003.html [ Failure Pass ]\n\n# S13N Sheriff 2018-7-11\ncrbug.com/862643 http/tests/serviceworker/navigation_preload/use-counter.html [ Failure Pass ]\n\n# Sheriff 2018-07-30\ncrbug.com/868706 external/wpt/css/css-layout-api/auto-block-size-inflow.https.html [ Failure Pass ]\n\n# Sheriff 2018-08-01\ncrbug.com/869773 http/tests/misc/window-dot-stop.html [ Failure Pass ]\n\ncrbug.com/873873 external/wpt/service-workers/service-worker/fetch-canvas-tainting-video.https.html [ Pass Skip Timeout ]\ncrbug.com/873873 external/wpt/service-workers/service-worker/fetch-canvas-tainting-video-cache.https.html [ Pass Skip Timeout ]\n\ncrbug.com/875884 [ Linux ] lifecycle/background-change-lifecycle-count.html [ Failure Pass ]\ncrbug.com/875884 [ Win ] lifecycle/background-change-lifecycle-count.html [ Failure Pass ]\n\n# Broken when smooth scrolling was enabled in Mac web tests (real failure)\ncrbug.com/1044137 [ Mac ] fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\n\n# Sheriff 2018-08-20\ncrbug.com/862589 virtual/threaded/fast/idle-callback/long_idle_periods.html [ Pass Skip Timeout ]\n\n# fast/events/middleClickAutoscroll-* are failing on Mac\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-click-hyperlink.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-click.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-drag.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-event-fired.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-in-iframe.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-latching.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-modal-scrollable-iframe-div.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-nested-divs-forbidden.html [ Skip ]\n# The next also fails due to crbug.com/891427, thus disabled on all platforms.\ncrbug.com/874162 [ Mac ] fast/events/middleClickAutoscroll-nested-divs.html [ Skip ]\ncrbug.com/874162 [ Mac ] fast/events/selection-autoscroll-borderbelt.html [ Skip ]\n\ncrbug.com/1198842 [ Linux ] virtual/scroll-unification/fast/events/selection-autoscroll-borderbelt.html [ Pass Timeout ]\n\n# Passes in threaded mode, fails without it. This is a real bug.\ncrbug.com/1112183 fast/scrolling/autoscroll-iframe-no-scrolling.html [ Failure ]\n\n# Sheriff 2018-09-10\ncrbug.com/881207 fast/js/regress/splice-to-remove.html [ Pass Timeout ]\n\ncrbug.com/882689 http/tests/security/cookies/third-party-cookie-blocking-worker.html [ Failure Pass ]\n\n# Sheriff 2018-09-19\ncrbug.com/662010 [ Win7 ] http/tests/csspaint/invalidation-background-image.html [ Skip ]\n\n# Sheriff 2018-10-15\ncrbug.com/895257 [ Mac ] external/wpt/css/css-fonts/variations/at-font-face-font-matching.html [ Failure Pass ]\n\n#Sheriff 2018-10-23\ncrbug.com/898378 [ Mac10.13 ] fast/scroll-behavior/smooth-scroll/keyboard-scroll.html [ Timeout ]\n\n# Sheriff 2018-10-29\ncrbug.com/766357 [ Win ] virtual/threaded-prefer-compositing/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure Pass ]\n\n# ecosystem-infra sheriff 2018-11-02, 2019-03-18\ncrbug.com/901271 external/wpt/dom/events/Event-dispatch-on-disabled-elements.html [ Failure Pass Skip Timeout ]\n\n# Test is flaky under load\ncrbug.com/904389 http/tests/preload/delaying_onload_link_preload_after_discovery.html [ Failure Pass ]\n\n# Flaky crash due to \"bad mojo message\".\ncrbug.com/906952 editing/pasteboard/file-drag-to-editable.html [ Crash Pass ]\n\n#Sheriff 2018-11-22\ncrbug.com/907862 [ Mac10.13 ] gamepad/multiple-event-listeners.html [ Failure Pass ]\n\n# Sheriff 2018-11-26\ncrbug.com/908347 media/autoplay/webaudio-audio-context-resume.html [ Failure Pass ]\n\n#Sheriff 2018-12-04\ncrbug.com/911515 [ Mac ] transforms/shadows.html [ Failure Pass ]\ncrbug.com/911782 [ Mac ] paint/invalidation/forms/submit-focus-by-mouse-then-keydown.html [ Failure Pass ]\n\n# Sheriff 2018-12-06\ncrbug.com/912793 crbug.com/899087 virtual/android/fullscreen/full-screen-iframe-allowed-video.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2018-12-07\ncrbug.com/912821 http/tests/devtools/tracing/user-timing.js [ Skip ]\n\n# Sheriff 2018-12-13\ncrbug.com/910452 media/controls/buttons-after-reset.html [ Failure Pass ]\n\n# Update 2020-06-01: flaky on all platforms.\ncrbug.com/914782 fast/scrolling/no-hover-during-scroll.html [ Failure Pass ]\n\ncrbug.com/919272 external/wpt/resource-timing/resource-timing.html [ Skip ]\n\n# Sheriff 2019-01-03\ncrbug.com/918905 external/wpt/css/css-sizing/block-size-with-min-or-max-content-table-1b.html [ Failure Pass ]\n\n# Android doesn't support H264/AVC1 encoding.\n# Some other bots are built without H264/AVC1 encoding support.\ncrbug.com/719023 fast/mediarecorder/MediaRecorder-isTypeSupported-avc1.html [ Failure Pass ]\ncrbug.com/719023 media_capabilities/encodingInfo-avc1.html [ Failure Pass ]\n\n# Sheriff 2019-01-07\ncrbug.com/919587 [ Linux ] virtual/threaded/fast/idle-callback/idle_periods.html [ Failure Pass ]\n\n# WebRTC Plan B\ncrbug.com/920979 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCTrackEvent-fire.html [ Timeout ]\n\n# Mac doesn't support lowLatency/desynchronized Canvas Contexts.\ncrbug.com/922218 [ Mac ] fast/canvas-api/canvas-lowlatency-getContext.html [ Failure ]\n\n# Sheriff 2019-01-14\ncrbug.com/921583 http/tests/preload/meta-viewport-link-headers.html [ Failure Pass ]\n\n# These fail (some time out, some are flaky, etc.) when landing valid changes to Mojo bindings\n# dispatch timing. Many of them seem to fail for different reasons, but pretty consistently in most\n# cases it seems like a problem around test expectation timing rather than real bugs affecting\n# production code. Because such timing bugs are relatively common in tests and it would thus be very\n# difficult to land the dispatch change without some temporary breakage, these tests are disabled\ncrbug.com/922951 fast/css/pseudo-hover-active-display-none.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 fast/forms/number/number-input-event-composed.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/cache/subresource-fragment-identifier.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/devtools/tracing/timeline-network-received-data.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 http/tests/history/back-to-post.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/security/cookies/basic.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 http/tests/webaudio/autoplay-crossorigin.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 media/controls/overflow-menu-hide-on-click-outside-stoppropagation.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 virtual/prefer_compositing_to_lcd_text/scrollbars/resize-scales-with-dpi-150.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 [ Linux ] virtual/scalefactor150/fast/events/synthetic-events/tap-on-scaled-screen.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 [ Win ] virtual/scalefactor150/fast/events/synthetic-events/tap-on-scaled-screen.html [ Crash Failure Pass Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/frame-model-instrumentation.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-layout/timeline-layout-reason.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-misc/timeline-record-reload.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/922951 virtual/threaded/http/tests/devtools/tracing/timeline-layout/timeline-layout-with-invalidations.js [ Crash Failure Pass Skip Timeout ]\n\n# Flaky devtools test for recalculating styles.\ncrbug.com/1018177 http/tests/devtools/tracing/timeline-style/timeline-recalculate-styles.js [ Failure Pass ]\n\n# Race: The RTCIceConnectionState can become \"connected\" before getStats()\n# returns candidate-pair whose state is \"succeeded\", this sounds like a\n# contradiction.\n\n# This test is not intended to pass on Plan B.\ncrbug.com/740501 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-onnegotiationneeded.html [ Failure Pass Timeout ]\n\ncrbug.com/910979 http/tests/html/validation-bubble-oopif-clip.html [ Failure Pass ]\n\n# Sheriff 2019-02-01, 2019-02-19\n# These are crashy on Win10, and seem to leave processes lying around, causing the swarming\n# task to hang.\n\n# Recently became flaky on multiple platforms (Linux and Windows primarily)\ncrbug.com/927769 fast/webgl/OffscreenCanvas-webgl-preserveDrawingBuffer.html [ Skip ]\n\n# Flaky test.\ncrbug.com/1084378 external/wpt/webvtt/rendering/cues-with-video/processing-model/dom_override_remove_cue_while_paused.html [ Failure Pass ]\n\n# Sheriff 2019-02-12\ncrbug.com/1072768 media/video-played-ranges-1.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-02-13\ncrbug.com/931646 [ Win7 ] http/tests/preload/meta-viewport-link-headers-imagesrcset.html [ Failure Pass ]\n\n# These started failing when network service was enabled by default.\ncrbug.com/933880 external/wpt/service-workers/service-worker/request-end-to-end.https.html [ Failure ]\ncrbug.com/933880 http/tests/inspector-protocol/network/xhr-interception-auth-fail.js [ Failure ]\n# This passes in content_shell but not in chrome with network service disabled,\n# because content_shell does not add the about: handler. With network service\n# enabled this fails in both content_shell and chrome.\ncrbug.com/933880 http/tests/misc/redirect-to-about-blank.html [ Failure Timeout ]\n\n# Sheriff 2019-02-22\ncrbug.com/934636 http/tests/security/cross-origin-indexeddb-allowed.html [ Crash Pass ]\ncrbug.com/934818 http/tests/devtools/tracing/decode-resize.js [ Failure Pass ]\n\n# Sheriff 2019-02-26\ncrbug.com/936165 media/autoplay-muted.html [ Pass Skip Timeout ]\n\n# Sheriff 2019-02-28\ncrbug.com/936827 external/wpt/fullscreen/api/element-request-fullscreen-and-remove-manual.html [ Failure Pass ]\n\n# Paint Timing failures\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-gradient.html [ Failure ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-invisible-3d-rotate-descendant.html [ Failure Timeout ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-invisible-3d-rotate.html [ Failure ]\ncrbug.com/1062984 external/wpt/paint-timing/fcp-only/fcp-text-input.html [ Failure ]\n\n# Also crbug.com/1044535\ncrbug.com/937416 http/tests/devtools/resource-tree/resource-tree-frame-navigate.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-03-04\n# Also crbug.com/1044418\ncrbug.com/937811 [ Linux Release ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-2.js [ Failure Pass Skip Timeout ]\ncrbug.com/937811 [ Linux Release ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-3.js [ Failure Pass ]\ncrbug.com/937811 [ Release Win ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-2.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-03-05\ncrbug.com/938200 http/tests/devtools/network/network-blocked-reason.js [ Pass Skip Timeout ]\n\n# Caused a revert of a good change.\ncrbug.com/931533 media/video-played-collapse.html [ Failure Pass ]\n\n# Sheriff 2019-03-14\ncrbug.com/806357 virtual/threaded/fast/events/pointerevents/pinch/pointerevent_touch-action-pinch_zoom_touch.html [ Crash Failure Pass Timeout ]\n\n# Trooper 2019-03-19\ncrbug.com/943388 [ Win ] http/tests/devtools/network/network-recording-after-reload-with-screenshots-enabled.js [ Failure Pass ]\n\n# Sheriff 2019-03-20\ncrbug.com/943969 [ Win ] inspector-protocol/css/css-get-media-queries.js [ Failure Pass ]\n\n# Sheriff 2019-03-25\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-add-new-rule-tab.js [ Failure Pass ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-add-new-rule.js [ Failure Pass Skip Timeout ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-disable-inherited.js [ Failure Pass ]\ncrbug.com/945665 http/tests/devtools/elements/styles-3/styles-change-node-while-editing.js [ Failure Pass ]\n\n# Tests using testRunner.useUnfortunateSynchronousResizeMode occasionally timeout,\n# but the test coverage is still good.\ncrbug.com/919789 css3/viewport-percentage-lengths/viewport-percentage-lengths-resize.html [ Pass Timeout ]\ncrbug.com/919789 compositing/transitions/transform-on-large-layer-expected.html [ Pass Timeout ]\ncrbug.com/919789 fast/autoresize/turn-off-autoresize.html [ Pass Timeout ]\ncrbug.com/919789 fast/autoresize/basic.html [ Pass Timeout ]\ncrbug.com/919789 fast/dom/viewport/resize-event-fired-window-resized.html [ Pass Timeout ]\ncrbug.com/919789 fast/dom/Window/window-resize-contents.html [ Pass Timeout ]\ncrbug.com/919789 fast/events/resize-events-count.html [ Pass Timeout ]\ncrbug.com/919789 virtual/text-antialias/line-break-between-text-nodes-with-inline-blocks.html [ Pass Timeout ]\ncrbug.com/919789 media/controls/overflow-menu-hide-on-resize.html [ Pass Timeout ]\ncrbug.com/919789 [ Linux ] paint/invalidation/resize-iframe-text.html [ Pass Timeout ]\ncrbug.com/919789 [ Mac10.13 ] paint/invalidation/resize-iframe-text.html [ Pass Timeout ]\ncrbug.com/919789 paint/invalidation/scroll/scrollbar-damage-and-full-viewport-repaint.html [ Pass Timeout ]\ncrbug.com/919789 paint/invalidation/window-resize/* [ Pass Timeout ]\n\ncrbug.com/1021627 fast/dom/rtl-scroll-to-leftmost-and-resize.html [ Failure Pass Timeout ]\ncrbug.com/1130876 fast/dynamic/window-resize-scrollbars-test.html [ Failure Pass ]\n\n# Sheriff 2019-03-28\ncrbug.com/946890 external/wpt/html/semantics/embedded-content/media-elements/location-of-the-media-resource/currentSrc.html [ Crash Failure Pass ]\ncrbug.com/946711 [ Release ] http/tests/devtools/editor/text-editor-search-switch-editor.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/946712 [ Release ] http/tests/devtools/elements/styles-2/paste-property.js [ Crash Pass Skip Timeout ]\n\n### external/wpt/fetch/sec-metadata/\ncrbug.com/947023 external/wpt/fetch/sec-metadata/font.tentative.https.sub.html [ Failure Pass ]\n\n# Sheriff 2019-04-02\ncrbug.com/947690 [ Debug ] http/tests/history/back-during-beforeunload.html [ Failure Pass ]\n\n# Sheriff 2019-04-09\ncrbug.com/946335 [ Linux ] fast/filesystem/file-writer-abort-depth.html [ Crash Pass ]\ncrbug.com/946335 [ Mac ] fast/filesystem/file-writer-abort-depth.html [ Crash Pass ]\n\n# The postMessage() calls intended to complete the test are blocked due to being\n# cross-origin between the portal and the host..\ncrbug.com/1220891 virtual/portals/external/wpt/portals/csp/frame-src.sub.html [ Timeout ]\n\n# Sheriff 2019-04-17\ncrbug.com/953591 [ Win ] fast/forms/datalist/input-appearance-range-with-transform.html [ Failure Pass ]\ncrbug.com/953591 [ Win ] transforms/matrix-02.html [ Failure Pass ]\ncrbug.com/938884 http/tests/devtools/elements/styles-3/styles-add-blank-property.js [ Pass Skip Timeout ]\n\n# Sheriff 2019-04-30\ncrbug.com/948785 [ Debug ] fast/events/pointerevents/pointer-event-consumed-touchstart-in-slop-region.html [ Failure Pass ]\n\n# Sheriff 2019-05-01\ncrbug.com/958347 [ Linux ] external/wpt/editing/run/removeformat.html [ Crash Pass ]\ncrbug.com/958426 [ Mac10.13 ] virtual/text-antialias/line-break-ascii.html [ Pass Timeout ]\n\n# This test might need to be removed.\ncrbug.com/954349 fast/forms/autofocus-in-sandbox-with-allow-scripts.html [ Timeout ]\n\n# Sheriff 2019-05-11\ncrbug.com/962139 [ Debug Linux ] external/wpt/html/infrastructure/urls/dynamic-changes-to-base-urls/dynamic-urls.sub.html [ Crash Pass ]\ncrbug.com/962139 [ Debug Linux ] external/wpt/html/infrastructure/urls/dynamic-changes-to-base-urls/historical.sub.xhtml [ Crash Pass ]\n\n# Sheriff 2019-05-13\ncrbug.com/865432 [ Linux ] external/wpt/workers/modules/dedicated-worker-import-blob-url.any.worker.html [ Pass Timeout ]\ncrbug.com/867532 [ Linux ] external/wpt/workers/modules/dedicated-worker-import-data-url.any.worker.html [ Pass Timeout ]\ncrbug.com/867532 [ Linux ] external/wpt/workers/modules/dedicated-worker-import.any.worker.html [ Pass Timeout ]\n\n# Sheriff 2020-05-18\ncrbug.com/988248 media/track/track-cue-rendering-position-auto.html [ Failure Pass ]\n\n# Flaky test on all platforms.\ncrbug.com/988248 media/track/track-cue-rendering-position-auto-rtl.html [ Failure Pass ]\n\n# Failing because of revert of If931c1faff528a87d8a78808f30225ebe2377072.\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/2_tracks.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/3_tracks.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_normal_wrapped.html [ Failure ]\ncrbug.com/966345 external/wpt/webvtt/rendering/cues-with-video/processing-model/selectors/cue_function/class_object/class_white-space_pre-line_wrapped.html [ Failure ]\n\n# Sheriff 2019-06-04\ncrbug.com/970135 [ Mac ] virtual/focusless-spat-nav/fast/spatial-navigation/focusless/snav-focusless-interested-element-indicated.html [ Failure ]\ncrbug.com/970334 [ Mac ] fast/spatial-navigation/snav-tiny-table-traversal.html [ Failure ]\ncrbug.com/970142 http/tests/security/mixedContent/insecure-css-resources.html [ Failure ]\n\n# Sheriff 2019-06-05\ncrbug.com/971259 media/controls/volumechange-stopimmediatepropagation.html [ Failure Pass ]\n\ncrbug.com/974710 [ Win7 ] http/tests/security/isolatedWorld/bypass-main-world-csp-iframes.html [ Failure Pass ]\n\n# Expected new failures until crbug.com/535738 is fixed. The failures also vary\n# based on codecs in build config, so just marking failure here instead of\n# specific expected text results.\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-implicit.html [ Failure ]\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-negative.html [ Failure ]\ncrbug.com/535738 external/wpt/media-source/mediasource-changetype-play-without-codecs-parameter.html [ Failure ]\n\n# Sheriff 2019-06-26\ncrbug.com/978966 [ Mac ] paint/markers/ellipsis-mixed-text-in-ltr-flow-with-markers.html [ Failure Pass ]\n\n# Sheriff 2019-06-27\ncrbug.com/979243 [ Mac ] editing/selection/inline-closest-leaf-child.html [ Failure Pass ]\ncrbug.com/979336 [ Mac ] fast/dynamic/anonymous-block-orphaned-lines.html [ Failure Pass ]\n\n# Sheriff 2019-07-04\ncrbug.com/981267 http/tests/devtools/persistence/persistence-move-breakpoints-on-reload.js [ Failure Pass Skip Timeout ]\n# TODO(crbug.com/980588): reenable once WPT is fixed\ncrbug.com/980588 external/wpt/screen-orientation/lock-unlock-check.html [ Failure Pass ]\n\n# Sheriff 2019-07-18\ncrbug.com/985232 [ Win7 ] external/wpt/html/semantics/scripting-1/the-script-element/module/dynamic-import/dynamic-imports-credentials.sub.html [ Failure Pass ]\n\n# Sheriff 2019-07-24\ncrbug.com/986282 external/wpt/client-hints/accept-ch-lifetime.tentative.https.html [ Failure Pass ]\n\n# Sheriff 2019-07-26\ncrbug.com/874866 [ Debug Linux ] media/controls/doubletap-to-jump-backwards.html [ Failure ]\ncrbug.com/988246 external/wpt/cookie-store/serviceworker_cookiechange_eventhandler_mismatched_subscription.tentative.https.any.serviceworker.html [ Skip ]\ncrbug.com/959129 http/tests/devtools/tracing/timeline-script-parse.js [ Failure Pass ]\n\n# WebRTC tests that fails (by timing out) because `getSynchronizationSources()`\n# on the audio side needs a hardware sink for the returned dictionary entries to\n# get updated.\n#\n# Temporarily replaced by:\n# - WebRtcAudioBrowserTest.EstablishAudioOnlyCallAndVerifyGetSynchronizationSourcesWorks\n# - WebRtcBrowserTest.EstablishVideoOnlyCallAndVerifyGetSynchronizationSourcesWorks\ncrbug.com/988432 external/wpt/webrtc/RTCRtpReceiver-getSynchronizationSources.https.html [ Pass Skip Timeout ]\n\n# Sheriff 2019-07-29\ncrbug.com/937811 [ Release Win ] http/tests/devtools/elements/shadow/elements-panel-shadow-selection-on-refresh-3.js [ Failure Pass Skip Timeout ]\n\n# Pending enabling navigation feature\ncrbug.com/705583 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_navigate_history_go_back.html [ Skip ]\ncrbug.com/705583 external/wpt/html/semantics/embedded-content/the-iframe-element/iframe_sandbox_navigate_history_go_forward.html [ Skip ]\n\n# Sheriff 2019-07-31\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-with-shadow.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-all.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-padding.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-with-mask.html [ Failure ]\ncrbug.com/979422 [ Mac ] fast/borders/border-radius-mask-canvas-border.html [ Failure ]\n\n# Sheriff 2019-08-01\ncrbug.com/989717 [ Fuchsia ] http/tests/preload/avoid_delaying_onload_link_preload.html [ Failure Pass ]\n\n# Expected failures for forced colors mode tests when the corresponding flags\n# are not enabled.\ncrbug.com/970285 external/wpt/forced-colors-mode/* [ Failure ]\ncrbug.com/970285 virtual/forced-high-contrast-colors/external/wpt/forced-colors-mode/* [ Pass ]\n\n# Sheriff 2019-08-14\ncrbug.com/993671 [ Win ] http/tests/media/video-frame-size-change.html [ Failure Pass ]\n\n#Sherrif 2019-08-16\ncrbug.com/994692 [ Linux ] compositing/reflections/nested-reflection-anchor-point.html [ Failure Pass ]\ncrbug.com/994692 [ Win ] compositing/reflections/nested-reflection-anchor-point.html [ Failure Pass ]\n\ncrbug.com/996219 [ Win ] virtual/text-antialias/emoji-vertical-origin-visual.html [ Failure ]\n\n# Sheriff 2019-08-22\ncrbug.com/994008 [ Linux ] http/tests/devtools/elements/styles-3/styles-computed-trace.js [ Failure Pass Skip Timeout ]\ncrbug.com/994008 [ Win ] http/tests/devtools/elements/styles-3/styles-computed-trace.js [ Failure Pass Skip Timeout ]\ncrbug.com/994034 [ Linux ] http/tests/devtools/elements/styles-3/styles-add-new-rule-colon.js [ Failure Pass Skip Timeout ]\ncrbug.com/994034 [ Win ] http/tests/devtools/elements/styles-3/styles-add-new-rule-colon.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/995669 [ Win ] http/tests/media/video-throttled-load-metadata.html [ Crash Failure Pass ]\n\n# Sheriff 2019-08-26\ncrbug.com/997669 [ Win ] http/tests/devtools/search/sources-search-scope-in-files.js [ Crash Pass ]\ncrbug.com/626703 external/wpt/css/css-paint-api/custom-property-animation-on-main-thread.https.html [ Failure Pass ]\n\ncrbug.com/1015130 external/wpt/largest-contentful-paint/first-paint-equals-lcp-text.html [ Failure Pass ]\n\ncrbug.com/1000051 media/controls/volume-slider.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-09-04\ncrbug.com/1000396 [ Win ] media/video-remove-insert-repaints.html [ Failure Pass ]\n\n# Sheriff 2019-09-09\ncrbug.com/1001817 external/wpt/css/css-ui/text-overflow-016.html [ Failure Pass ]\ncrbug.com/1001816 external/wpt/css/css-masking/clip-path/clip-path-inline-003.html [ Failure Pass ]\ncrbug.com/1001814 external/wpt/css/css-masking/clip-path/clip-path-inline-002.html [ Failure Pass ]\n\n# Sheriff 2019-09-10\ncrbug.com/1002527 [ Debug ] virtual/text-antialias/large-text-composed-char.html [ Crash Pass ]\n\n# Tests fail because of missing scroll snap for #target and bugs in scrollIntoView\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-align-001.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-align-002.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-snap-001.html [ Failure ]\ncrbug.com/1003055 external/wpt/css/css-scroll-snap/scroll-target-snap-002.html [ Failure ]\n\n# Sheriff 2019-09-20\ncrbug.com/1005128 crypto/subtle/abandon-crypto-operation2.html [ Crash Pass ]\n\n# Sheriff 2019-09-30\ncrbug.com/1003715 [ Win10.20h2 ] http/tests/notifications/serviceworker-notification-properties.html [ Failure Pass Timeout ]\n\n\n# Sheriff 2019-10-01\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/fallback-traits-fixup.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/international/bold-bengali.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] virtual/text-antialias/selection/khmer-selection.html [ Failure ]\ncrbug.com/1010032 [ Win7 ] fast/writing-mode/Kusa-Makura-background-canvas.html [ Failure ]\n\n# Sheriff 2019-10-02\ncrbug.com/1010483 [ Win ] fast/parser/residual-style-dom.html [ Crash Pass ]\ncrbug.com/1010483 [ Win ] fast/parser/residual-style-hang.html [ Crash Pass ]\ncrbug.com/1010483 [ Win ] fast/selectors/specificity-overflow.html [ Crash Pass ]\n\n# Sheriff 2019-10-16\ncrbug.com/1014812 external/wpt/animation-worklet/playback-rate.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2019-10-18\ncrbug.com/1015975 media/video-currentTime.html [ Failure Pass ]\n\n# Sheriff 2019-10-21\ncrbug.com/1016456 external/wpt/dom/ranges/Range-mutations-dataChange.html [ Crash Pass Skip Timeout ]\n\n# Sheriff 2019-10-30\ncrbug.com/1014810 [ Mac ] virtual/threaded/external/wpt/animation-worklet/stateful-animator.https.html [ Crash Pass Timeout ]\n\n# Temporarily disabled to a breakpoint non-determinism issue.\ncrbug.com/1019613 http/tests/devtools/sources/debugger/debug-inlined-scripts.js [ Failure Pass ]\n\n# First frame not always painted in time\ncrbug.com/1024976 media/controls/paint-controls-webkit-appearance-none-custom-bg.html [ Failure Pass ]\n\n# iframe.freeze plumbing is not hooked up at the moment.\ncrbug.com/907125 external/wpt/lifecycle/freeze.html [ Failure ] # wpt_subtest_failure\ncrbug.com/907125 external/wpt/lifecycle/child-out-of-viewport.tentative.html [ Failure Timeout ]\ncrbug.com/907125 external/wpt/lifecycle/child-display-none.tentative.html [ Failure Timeout ]\ncrbug.com/907125 external/wpt/lifecycle/worker-dispay-none.tentative.html [ Failure Timeout ]\n\n# Sheriff 2019-11-15\ncrbug.com/1025123 external/wpt/longtask-timing/longtask-in-sibling-iframe-crossorigin.html [ Failure Pass ]\ncrbug.com/1025321 [ Win ] http/tests/devtools/tracing/console-timeline.js [ Failure Pass ]\n\n# Timeout media preload test until preloading media destinations gets enabled.\ncrbug.com/977033 http/tests/priorities/resource-load-priorities-media-preload.html [ Timeout ]\n\n# Sheriff 2019-11-26\ncrbug.com/1028684 http/tests/inspector-protocol/animation/animation-release.js [ Failure Pass ]\n\n# Sheriff 2019-11-29\ncrbug.com/1019079 fast/canvas/OffscreenCanvas-placeholder-createImageBitmap.html [ Failure Pass ]\ncrbug.com/1027434 external/wpt/html/browsers/origin/cross-origin-objects/cross-origin-objects.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2019-12-02\ncrbug.com/1029528 [ Linux ] http/tests/devtools/network/oopif-content.js [ Failure Pass ]\n\ncrbug.com/1031345 media/controls/overlay-play-button-tap-to-hide.html [ Pass Timeout ]\n\n# Temporary SkiaRenderer regressions\ncrbug.com/1029941 [ Linux ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\ncrbug.com/1029941 [ Linux ] transforms/3d/point-mapping/3d-point-mapping-deep.html [ Failure ]\ncrbug.com/1029941 [ Linux ] virtual/exotic-color-space/images/yuv-decode-eligible/color-profile-layer-filter.html [ Failure ]\ncrbug.com/1029941 [ Win ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\n\n# Failing document policy tests\ncrbug.com/993790 external/wpt/document-policy/required-policy/separate-document-policies.html [ Failure ]\n\ncrbug.com/1134464 http/tests/images/document-policy/document-policy-oversized-images-edge-cases.php [ Pass Timeout ]\n\n# Skipping because of unimplemented behaviour\ncrbug.com/965495 external/wpt/feature-policy/experimental-features/focus-without-user-activation-enabled-tentative.sub.html [ Skip ]\ncrbug.com/965495 external/wpt/permissions-policy/experimental-features/focus-without-user-activation-enabled-tentative.sub.html [ Skip ]\n\ncrbug.com/834302 external/wpt/permissions-policy/permissions-policy-opaque-origin.https.html [ Failure ]\n\n# Temporary suppression to allow devtools-frontend changes\ncrbug.com/1029489 http/tests/devtools/elements/elements-linkify-attributes.js [ Failure Pass Skip Timeout ]\ncrbug.com/1030258 http/tests/devtools/network/network-cookies-pane.js [ Failure Pass ]\ncrbug.com/1041830 http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile.js [ Failure Pass ]\n\n# Sheriff 2019-12-13\ncrbug.com/1032451 [ Win7 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/idlharness.https.window.html [ Failure Pass ]\ncrbug.com/1033852 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure ]\n\n# Sheriff 2019-12-16\ncrbug.com/1034374 http/tests/devtools/tracing/timeline-worker-events.js [ Failure Pass ]\ncrbug.com/1034513 [ Win7 ] virtual/stable/fast/dom/Window/window-resize-contents.html [ Failure Pass ]\n\n# Assertion errors need to be fixed\ncrbug.com/1034492 http/tests/devtools/unit/filtered-item-selection-dialog-filtering.js [ Failure Pass ]\ncrbug.com/1034492 http/tests/devtools/unit/filtered-list-widget-providers.js [ Failure Pass ]\n\n# Sheriff 2019-12-23\ncrbug.com/1036626 http/tests/devtools/tracing/tracing-record-input-events.js [ Failure Pass ]\n\n# Sheriff 2019-12-27\ncrbug.com/1038091 virtual/gpu-rasterization/images/jpeg-yuv-image-decoding.html [ Failure Pass ]\ncrbug.com/1038139 [ Win ] virtual/gpu-rasterization/images/2-comp.html [ Failure Pass ]\n\n# Sheriff 2020-01-02\ncrbug.com/1038656 [ Mac ] http/tests/devtools/coverage/coverage-view-unused.js [ Failure Pass ]\ncrbug.com/1038656 [ Win ] http/tests/devtools/coverage/coverage-view-unused.js [ Failure Pass ]\n\n# Temporarily disabled to land Linkifier changes in DevTools\ncrbug.com/963183 http/tests/devtools/jump-to-previous-editing-location.js [ Failure Pass ]\n\n# Broken in https://chromium-review.googlesource.com/c/chromium/src/+/1636716\ncrbug.com/963183 http/tests/devtools/sources/debugger-breakpoints/disable-breakpoints.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/836300 fast/css3-text/css3-text-decoration/text-decoration-skip-ink-links.html [ Failure Pass ]\n\n# Sheriff 2020-01-14\ncrbug.com/1041973 external/wpt/html/semantics/forms/constraints/form-validation-reportValidity.html [ Failure Pass ]\n\n# Disable for landing devtools changes\ncrbug.com/1006759 http/tests/devtools/console/argument-hints.js [ Failure Pass ]\n\n# Failing origin trial for css properties test\ncrbug.com/1041993 http/tests/origin_trials/sample-api-script-added-after-css-declaration.html [ Failure ]\n\n# Sheriff 2020-01-20\ncrbug.com/1043357 http/tests/credentialmanager/credentialscontainer-get-with-virtual-authenticator.html [ Failure Pass Timeout ]\n\n# Ref_Tests which fail when SkiaRenderer is enable, and which cannot be\n# rebaselined. TODO(jonross): triage these into any existing bugs or file more\n# specific bugs.\ncrbug.com/1043675 [ Linux ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1043675 [ Linux ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Linux ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Linux ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1043675 [ Linux ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1043675 [ Linux ] http/tests/media/video-frame-size-change.html [ Failure ]\ncrbug.com/1043675 [ Linux ] svg/custom/svg-root-with-opacity.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Win ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1043675 [ Win ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1043675 [ Win ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1043675 [ Win ] svg/custom/svg-root-with-opacity.html [ Failure ]\n\n# Required to land DevTools change\ncrbug.com/106759 http/tests/devtools/command-line-api-inspect.js [ Failure Pass ]\ncrbug.com/106759 http/tests/devtools/sources/debugger-console/debugger-command-line-api.js [ Failure Pass ]\n\ncrbug.com/989665 [ Mac ] external/wpt/resource-timing/resource_timing_buffer_full_eventually.html [ Crash Pass ]\ncrbug.com/989665 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/resource_timing_buffer_full_eventually.html [ Crash Pass ]\n\n# Sheriff 2020-01-23\ncrbug.com/1044505 http/tests/devtools/tracing-session-id.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/1046784 http/tests/devtools/oopif/oopif-storage.js [ Failure Pass ]\ncrbug.com/1046784 http/tests/inspector-protocol/service-worker/target-reloaded-after-crash.js [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-28\ncrbug.com/1046201 [ Mac ] fast/forms/calendar-picker/calendar-picker-appearance-zoom125.html [ Failure Pass ]\ncrbug.com/1046440 fast/loader/submit-form-while-parsing-2.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-29\ncrbug.com/995663 [ Linux ] http/tests/media/autoplay/document-user-activation-cross-origin-feature-policy-header.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-01-30\ncrbug.com/1047208 http/tests/serviceworker/update-served-from-cache.html [ Failure Pass ]\ncrbug.com/1047293 [ Mac ] editing/pasteboard/pasteboard_with_unfocused_selection.html [ Failure Pass ]\n\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-004.tentative.html [ Failure ]\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-005.tentative.html [ Failure ]\ncrbug.com/1008483 external/wpt/css/css-transforms/backface-visibility-hidden-animated-002.html [ Failure ]\n\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-004.tentative.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-005.tentative.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/backface-visibility-hidden-animated-002.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/preserve-3d-flat-grouping-properties-containing-block.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-abspos.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-fixpos.html [ Pass ]\ncrbug.com/1008483 [ Fuchsia ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.12 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.13 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.14 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac10.15 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Mac11 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Win ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/3d-rendering-context-and-inline.html [ Pass ]\ncrbug.com/1008483 [ Fuchsia ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.12 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.13 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.14 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac10.15 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Mac11 ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 [ Win ] virtual/backface-visibility-interop/external/wpt/css/css-transforms/transform3d-sorting-004.html [ Pass ]\ncrbug.com/1008483 virtual/backface-visibility-interop/compositing/overflow/scroll-parent-with-non-stacking-context-composited-ancestor.html [ Failure ]\ncrbug.com/1008483 virtual/backface-visibility-interop/paint/invalidation/stacking-context-lost.html [ Failure ]\ncrbug.com/1008483 virtual/backface-visibility-interop/paint/invalidation/multicol/multicol-as-paint-container.html [ Failure ]\n\n# Swiftshader issue.\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-innerwidth.html [ Crash Skip Timeout ]\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-screeny.html [ Crash Skip Timeout ]\ncrbug.com/1048149 external/wpt/html/browsers/the-window-object/apis-for-creating-and-navigating-browsing-contexts-by-name/open-features-non-integer-width.html [ Crash Skip Timeout ]\ncrbug.com/1048149 [ Mac ] http/tests/inspector-protocol/emulation/emulation-oopifs.js [ Crash ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/calendar-picker-appearance.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/calendar-picker-touch-operations.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/date-picker-choose-default-value-after-set-value.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/month-picker-appearance.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/calendar-picker/month-picker-appearance-step.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-appearance-zoom125.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-top-left-selection-position-after-reopen.html [ Crash Pass ]\ncrbug.com/1048149 [ Mac ] fast/forms/color/color-picker-zoom150-bottom-edge-no-nan.html [ Crash Pass ]\ncrbug.com/1048149 crbug.com/1050121 [ Mac ] fast/forms/month/month-picker-appearance-zoom150.html [ Crash Failure Pass ]\n\n# SwANGLE issues\ncrbug.com/1204234 css3/blending/background-blend-mode-single-accelerated-element.html [ Failure ]\n\n# Upcoming DevTools change\ncrbug.com/1006759 http/tests/devtools/profiler/cpu-profiler-save-load.js [ Failure Pass Skip Timeout ]\ncrbug.com/1006759 http/tests/devtools/profiler/heap-snapshot-loader.js [ Failure Pass ]\n\n# Temporarily disabled to land changes in DevTools, multiple dependent CLs\n# [1] https://chromium-review.googlesource.com/c/devtools/devtools-frontend/+/2049183\n# [2] https://chromium-review.googlesource.com/c/devtools/devtools-frontend/+/2119670\ncrbug.com/1064472 http/tests/devtools/elements/elements-tab-stops.js [ Failure Pass ]\n\ncrbug.com/1049456 fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass ]\ncrbug.com/1081277 fast/scrolling/events/scrollend-event-fired-to-element-with-overscroll-behavior.html [ Failure Pass ]\ncrbug.com/1080997 fast/scrolling/events/scrollend-event-fired-to-scrolled-element.html [ Failure Pass ]\n\n# \"in-multicol-child.html\" is laid out in legacy layout due by \"multicol\" but\n# reference is laid out by LayoutNG.\ncrbug.com/829028 [ Mac ] editing/caret/in-multicol-child.html [ Failure ]\n\n# Flaky tests blocking WPT import\ncrbug.com/1054577 [ Linux ] virtual/storage-access-api/external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\ncrbug.com/1054577 [ Win ] virtual/storage-access-api/external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\ncrbug.com/1054577 [ Mac ] external/wpt/media-source/mediasource-detach.html [ Failure Pass ]\ncrbug.com/1054577 [ Mac ] external/wpt/storage-access-api/requestStorageAccess.sub.window.html [ Failure Pass ]\n\n# Failing tests because of enabling scroll unification flag\ncrbug.com/476553 virtual/scroll-unification/external/wpt/dom/events/scrolling/overscroll-event-fired-to-scrolled-element.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/external/wpt/dom/events/scrolling/scrollend-event-for-user-scroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/hit-test-counts.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-cursor-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/platform-wheelevent-paging-xy-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/remove-child-onscroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/scroll-without-mouse-lacks-mousemove-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/touch-latched-scroll-node-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/focus-selectionchange-on-tap.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar-mainframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-scrollbar-textarea.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-click-common-ancestor.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-frame-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-scroll-input-field.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-scroll-listbox.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/wheel/wheel-latched-scroll-node-removed.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/resize-corner-tracking-touch.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/subpixel-overflow-mouse-drag.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/destroy-middle-click-locked-target-crash.html [ Crash Failure Pass Skip Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/scroll-cross-origin-iframes.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/http/tests/misc/scroll-cross-origin-iframes-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/gesture-events-scrolled.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/gesture-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/mouse-click-iframe-to-plugin.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/sequential-focus.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/plugins/transformed-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/listbox-scrollbar-combinations.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-layout_ng_block_frag/fast/forms/fieldset/fieldset-legend-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-deleted-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Crash Failure Pass Skip Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/auto-scrollbar-fades-out.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/basic-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/disabled-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/hidden-scrollbars-invisible.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/listbox-scrollbar-combinations.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/overlay-scrollbars-within-overflow-scroll.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-buttons.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-corner-colors.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/scrollbar-orientation.html [ Crash Failure Pass Timeout ]\n\ncrbug.com/1253630 [ Win ] virtual/scroll-unification-overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure Pass ]\ncrbug.com/1098383 [ Mac ] fast/events/scrollbar-double-click.html [ Failure Pass ]\n\n# Sheriff 2020-02-07\n\ncrbug.com/1050039 [ Mac ] fast/events/onbeforeunload-focused-iframe.html [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1006759 http/tests/devtools/elements/styles-1/edit-value-url-with-color.js [ Skip ]\ncrbug.com/1006759 http/tests/devtools/sources/css-outline-dialog.js [ Skip ]\n\n#Mixed content autoupgrades make these tests not applicable, since they check for mixed content audio/video\ncrbug.com/1025274 external/wpt/mixed-content/gen/top.meta/unset/audio-tag.https.html [ Failure ]\ncrbug.com/1025274 external/wpt/mixed-content/gen/top.meta/unset/video-tag.https.html [ Failure ]\ncrbug.com/1025274 http/tests/security/mixedContent/insecure-audio-video-in-main-frame.html [ Failure ]\n\n# Sheriff 2020-02-19\ncrbug.com/1053903 external/wpt/webxr/events_referenceSpace_reset_inline.https.html [ Failure Pass Timeout ]\n\n### Subset of scrolling tests that are failing when percent-based scrolling feature is enabled\n# Please look at FlagExpectations/enable-percent-based-scrolling for a full list of known regressions\n\n# fast/events/wheel\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/events/wheel/wheel-in-scrollbar.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/events/wheel/wheelevent-ctrl.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheel-in-scrollbar.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheelevent-ctrl.html [ Failure Timeout ]\n# Timeout only for compositor-threaded\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/events/wheel/wheel-latched-scroll-node-removed.html [ Timeout ]\n\n# fast/scrolling\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/hover-during-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/overflow-scrollability.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/fractional-scroll-offset-document.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/scroll-animation-on-by-default.html [ Failure ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/wheel-scroll-latching-on-scrollbar.html [ Failure Pass ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/hover-during-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/overflow-scrollability.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/wheel-and-touch-scroll-use-count.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/fractional-scroll-offset-document.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/no-hover-during-smooth-keyboard-scroll.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/scroll-animation-on-by-default.html [ Failure ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/wheel-scroll-latching-on-scrollbar.html [ Failure Pass ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/mouse-scrolling-over-standard-scrollbar.html [ Failure Pass ]\n\n# fast/scrolling/events\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-document.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/main-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-window.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-document.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-element-with-overscroll-behavior.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Timeout ]\ncrbug.com/1204176 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/events/overscroll-event-fired-to-window.html [ Failure Timeout ]\n\n### END PERCENT BASED SCROLLING TEST FAILURES\n\n# Sheriff 2020-02-28\ncrbug.com/1056879 [ Win7 ] external/wpt/webxr/xrSession_requestAnimationFrame_getViewerPose.https.html [ Failure Pass Timeout ]\ncrbug.com/1053861 http/tests/devtools/network/network-initiator-chain.js [ Failure Pass ]\n\ncrbug.com/1057822 http/tests/misc/synthetic-gesture-initiated-in-cross-origin-frame.html [ Crash Failure Pass ]\ncrbug.com/1131977 [ Mac ] http/tests/misc/hover-state-recomputed-on-main-frame.html [ Timeout ]\ncrbug.com/1057351 virtual/threaded-no-composited-antialiasing/animations/responsive/interpolation/offset-rotate-responsive.html [ Failure Pass ]\ncrbug.com/1057351 virtual/threaded-no-composited-antialiasing/animations/stability/empty-keyframes.html [ Failure Pass ]\n\n### sheriff 2020-03-03\ncrbug.com/1058073 [ Mac ] http/tests/devtools/service-workers/sw-navigate-useragent.js [ Failure Pass ]\ncrbug.com/1058137 virtual/threaded/http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\n\n# Ecosystem-Infra Sheriff 2020-03-04\ncrbug.com/1058403 external/wpt/webaudio/the-audio-api/the-audioworklet-interface/suspended-context-messageport.https.html [ Crash Failure ]\n\n# Ecosystem-Infra Sheriff 2020-04-15\ncrbug.com/1070995 external/wpt/html/infrastructure/safe-passing-of-structured-data/shared-array-buffers/blob-data.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-03-05\ncrbug.com/1058073 [ Mac10.14 ] accessibility/content-changed-notification-causes-crash.html [ Failure Pass ]\n\n# Sheriff 2020-03-06\ncrbug.com/1059262 http/tests/worklet/webexposed/global-interface-listing-paint-worklet.html [ Failure Pass ]\ncrbug.com/1058244 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/scrollbar-rtl-manipulation.html [ Failure Pass ]\n\n# Sheriff 2020-03-08\ncrbug.com/1059645 external/wpt/pointerevents/pointerevent_coalesced_events_attributes.html [ Failure Pass ]\n\n# Failing on Fuchsia due to dependency on FuchsiaMediaResourceProvider, which is not implemented in content_shell.\ncrbug.com/1061226 [ Fuchsia ] fast/mediastream/MediaStream-onactive-oninactive.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/html/cross-origin-embedder-policy/credentialless/video.tentative.https.window.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/mediacapture-streams/MediaStream-idl.https.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/webaudio/the-audio-api/the-audioworklet-interface/baseaudiocontext-audioworklet.https.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] external/wpt/webaudio/the-audio-api/the-pannernode-interface/panner-equalpower-stereo.html [ Skip ]\ncrbug.com/1061226 [ Fuchsia ] wpt_internal/speech/scripted/speechrecognition-restart-onend.html [ Skip ]\n\n# Sheriff 2020-03-13\ncrbug.com/1061043 fast/plugins/keypress-event.html [ Failure Pass ]\ncrbug.com/1061131 [ Mac ] editing/selection/replaced-boundaries-1.html [ Failure Pass ]\n\ncrbug.com/1058888 [ Linux ] animations/animationworklet/peek-updated-composited-property-on-main.html [ Failure Pass ]\n\n# [virtual/...]external/wpt/web-animation test flakes\ncrbug.com/1064065 virtual/threaded/external/wpt/css/css-animations/event-dispatch.tentative.html [ Failure Pass ]\n\n# Sheriff 2020-04-01\ncrbug.com/1066122 virtual/threaded-no-composited-antialiasing/animations/events/animation-iteration-event.html [ Failure Pass ]\ncrbug.com/1066732 fast/events/platform-wheelevent-paging-x-in-scrolling-div.html [ Failure Pass ]\ncrbug.com/1066732 fast/events/platform-wheelevent-paging-y-in-scrolling-div.html [ Failure Pass ]\n\n# Temporarily disabled for landing changes to DevTools frontend\ncrbug.com/1066579 http/tests/devtools/har-importer.js [ Failure Pass ]\n\n# Flaky test, happens only on Mac 10.13.\n# The \"timeout\" was detected by the wpt-importer bot.\ncrbug.com/1069714 [ Mac10.13 ] external/wpt/webrtc/RTCRtpSender-replaceTrack.https.html [ Failure Pass Skip Timeout ]\n\n# COOP top navigation:\ncrbug.com/1153648 external/wpt/html/cross-origin-opener-policy/navigate-top-to-aboutblank.https.html [ Failure ]\n\n# Stale revalidation shouldn't be blocked:\ncrbug.com/1079188 external/wpt/fetch/stale-while-revalidate/revalidate-not-blocked-by-csp.html [ Timeout ]\n\n# Web Audio active processing tests\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-audiobuffersourcenode-interface/active-processing.https.html [ Crash Failure Pass ]\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-channelmergernode-interface/active-processing.https.html [ Crash Failure Pass ]\ncrbug.com/1073247 external/wpt/webaudio/the-audio-api/the-convolvernode-interface/active-processing.https.html [ Crash Failure Pass ]\n\n# Sheriff 2020-04-22\n# Flaky test.\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/* [ Failure Pass ]\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/before-prepare-iframe-success-external-module.html [ Failure Pass ]\ncrbug.com/1073505 [ Mac10.13 ] external/wpt/html/semantics/scripting-1/the-script-element/moving-between-documents/before-prepare-iframe-fetch-error-external-module.html [ Failure Pass ]\n\n# Sheriff 2020-04-23\ncrbug.com/1073792 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/events/scrollend-event-fired-after-snap.html [ Failure Pass ]\n\n# the inspector-protocol/media tests only work in the virtual test environment.\ncrbug.com/1074129 inspector-protocol/media/media-player.js [ TIMEOUT ]\n\n# Sheriff 2020-05-04\ncrbug.com/952717 [ Debug ] http/tests/xmlhttprequest/redirect-cross-origin-post.html [ Failure Pass ]\n\n# Sheriff 2020-05-18\ncrbug.com/1084256 [ Linux ] http/tests/misc/insert-iframe-into-xml-document-before-xsl-transform.html [ Failure Pass ]\ncrbug.com/1084256 [ Mac ] http/tests/misc/insert-iframe-into-xml-document-before-xsl-transform.html [ Failure Pass ]\ncrbug.com/1084276 [ Mac ] http/tests/security/offscreencanvas-placeholder-read-blocked-no-crossorigin.html [ Crash Failure Pass ]\n\n# Disabled to prepare fixing the tests in V8\ncrbug.com/v8/10556 external/wpt/wasm/jsapi/instance/constructor-caching.any.html [ Failure Pass ]\ncrbug.com/v8/10556 external/wpt/wasm/jsapi/instance/constructor-caching.any.worker.html [ Failure Pass ]\n\n# Temporarily disabled to land the new wasm exception handling JS API\ncrbug.com/v8/11992 external/wpt/wasm/jsapi/exception/* [ Skip ]\ncrbug.com/v8/11992 external/wpt/wasm/jsapi/tag/* [ Skip ]\n\n# Disabled for landing DevTools change\ncrbug.com/1011811 http/tests/devtools/network/network-xhr-data-received-async-response-type-blob.js [ Failure Pass ]\ncrbug.com/1011811 http/tests/devtools/network/download.js [ Failure Pass ]\ncrbug.com/1011811 http/tests/devtools/sxg/sxg-disable-cache.js [ Failure Pass ]\n\ncrbug.com/1080609 virtual/threaded/external/wpt/scroll-animations/element-based-offset.html [ Failure Pass ]\ncrbug.com/1080609 virtual/threaded/external/wpt/scroll-animations/element-based-offset-clamp.html [ Failure Pass ]\n\ncrbug.com/971031 [ Mac ] fast/dom/timer-throttling-hidden-page.html [ Failure Pass ]\n\ncrbug.com/1071189 [ Debug ] editing/selection/programmatic-selection-on-mac-is-directionless.html [ Pass Timeout ]\n\n# Sheriff 2020-05-27\ncrbug.com/1046784 http/tests/devtools/elements/styles/stylesheet-tracking.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2020-05-28\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit.html [ Failure ]\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit-3.html [ Failure ]\ncrbug.com/1087077 external/wpt/html/semantics/forms/form-submission-0/form-double-submit-to-different-origin-frame.html [ Failure ]\n\n# Sheriff 2020-05-29\ncrbug.com/1084637 compositing/video/video-reflection.html [ Failure Pass ]\ncrbug.com/1083362 compositing/reflections/load-video-in-reflection.html [ Failure Pass ]\ncrbug.com/1087471 [ Linux ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-in-slow.html [ Failure Pass ]\n\n# Sheriff 2020-06-01\n# Also see crbug.com/626703, these timed-out before but now fail as well.\ncrbug.com/1088475 [ Linux ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries.html [ Failure Pass ]\ncrbug.com/1088475 [ Linux ] external/wpt/webvtt/rendering/cues-with-video/processing-model/embedded_style_media_queries_resized.html [ Failure Pass ]\n\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvas-zero-size-readback.html [ Crash Pass ]\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvasClearRect.html [ Failure Pass ]\ncrbug.com/1088007 virtual/gpu/fast/canvas/OffscreenCanvasClearRectPartial.html [ Failure Pass ]\n\n# Sheriff 2020-06-03\ncrbug.com/1007228 [ Mac ] external/wpt/fullscreen/api/element-request-fullscreen-and-move-to-iframe-manual.html [ Failure Pass ]\n\n# Disabled for landing DevTools change\ncrbug.com/1011811 http/tests/devtools/persistence/automapping-sourcemap.js [ Failure Pass ]\n\n# Sheriff 2020-06-06\ncrbug.com/1091843 fast/canvas/color-space/canvas-createImageBitmap-p3.html [ Failure Pass ]\n\n# Flaky test\ncrbug.com/1093198 external/wpt/webrtc/RTCPeerConnection-addIceCandidate-timing [ Failure Pass ]\n\n# Sheriff 2020-06-09\ncrbug.com/1093003 [ Mac ] external/wpt/html/rendering/replaced-elements/embedded-content/cross-domain-iframe.sub.html [ Failure Pass ]\n\n# Sheriff 2020-06-11\ncrbug.com/1093026 [ Linux ] http/tests/security/offscreencanvas-placeholder-read-blocked-no-crossorigin.html [ Failure Pass ]\n\n# Ecosystem-Infra Rotation 2020-06-15\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-content-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-border-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-stroke-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/cssbox-fill-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-border-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-content-box.html [ Failure ]\ncrbug.com/924472 external/wpt/css/css-transforms/transform-box/svgbox-stroke-box.html [ Failure ]\n\n# Temporarily disable test to allow devtools-frontend changes\ncrbug.com/1095733 http/tests/devtools/tabbed-pane-closeable-persistence.js [ Skip ]\n\n# Sheriff 2020-06-17\ncrbug.com/1095969 [ Mac ] fast/canvas/OffscreenCanvas-MessageChannel-transfer.html [ Failure Pass ]\ncrbug.com/1095969 [ Linux ] fast/canvas/OffscreenCanvas-MessageChannel-transfer.html [ Failure Pass ]\ncrbug.com/1092975 http/tests/inspector-protocol/target/target-expose-devtools-protocol.js [ Failure Pass ]\n\ncrbug.com/1096493 external/wpt/webaudio/the-audio-api/the-audiocontext-interface/processing-after-resume.https.html [ Failure ]\n\ncrbug.com/1097005 http/tests/devtools/console/console-object-preview.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1097005 http/tests/devtools/console/console-preserve-scroll.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1097005 http/tests/devtools/console/console-search.js [ Crash Failure Pass Skip Timeout ]\n\ncrbug.com/1093445 http/tests/loading/pdf-commit-load-callbacks.html [ Failure Pass ]\ncrbug.com/1093497 http/tests/history/client-redirect-after-push-state.html [ Failure Pass ]\n\n# Tests blocking WPT importer\ncrbug.com/1098844 external/wpt/wasm/jsapi/functions/entry.html [ Crash Pass Timeout ]\ncrbug.com/1098844 external/wpt/wasm/jsapi/functions/entry-different-function-realm.html [ Crash Pass Timeout ]\n\n#Sheriff 2020-06-25\ncrbug.com/1010170 media/video-played-reset.html [ Failure Pass ]\n\n# Sheriff 2020-07-07\n# Additionally disabled on mac due to crbug.com/988248\ncrbug.com/1083302 media/controls/volumechange-muted-attribute.html [ Failure Pass ]\n\n# Sheriff 2020-07-10\ncrbug.com/1104135 [ Mac10.14 ] virtual/controls-refresh-hc/fast/forms/color-scheme/range/range-pressed-state.html [ Failure Pass ]\n\ncrbug.com/1102167 external/wpt/fetch/redirect-navigate/preserve-fragment.html [ Pass Skip Timeout ]\n\n# Sheriff 2020-07-13\n\ncrbug.com/1104910 [ Mac ] external/wpt/webaudio/the-audio-api/the-oscillatornode-interface/osc-basic-waveform.html [ Failure Pass ]\ncrbug.com/1104910 fast/peerconnection/RTCPeerConnection-reload-interesting-usage.html [ Failure Pass ]\ncrbug.com/1104910 [ Mac ] editing/selection/selection-background.html [ Failure Pass ]\ncrbug.com/1104910 [ Linux ] external/wpt/referrer-policy/gen/worker-module.http-rp/unsafe-url/worker-classic.http.html [ Failure Pass ]\ncrbug.com/1104910 [ Linux ] external/wpt/referrer-policy/gen/worker-module.http-rp/unset/worker-module.http.html [ Failure Pass ]\n\n# Sheriff 2020-07-14\n\ncrbug.com/1105271 [ Mac ] scrollbars/custom-scrollbar-adjust-on-inactive-pseudo.html [ Failure Pass ]\ncrbug.com/1105274 http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-no-url-end-to-end.js [ Failure Pass Skip Timeout ]\ncrbug.com/1105275 [ Mac ] fast/dom/Window/window-onFocus.html [ Failure Pass ]\n\n# Temporarily disable tests to allow fixing of devtools path escaping\ncrbug.com/1094436 http/tests/devtools/overrides/project-added-with-existing-files-bind.js [ Failure Pass Skip Timeout ]\ncrbug.com/1094436 http/tests/devtools/persistence/automapping-urlencoded-paths.js [ Failure Pass ]\ncrbug.com/1094436 http/tests/devtools/sources/debugger/navigator-view.js [ Crash Failure Pass ]\n\n# This test fails due to the linked bug since input is now routed through the compositor.\ncrbug.com/1112508 fast/forms/number/number-wheel-event.html [ Failure ]\n\n# Sheriff 2020-07-20\ncrbug.com/1107722 [ Mac ] http/tests/devtools/tracing/timeline-time/timeline-time.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-layout/timeline-layout-with-invalidations.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-style/timeline-style-recalc-with-invalidations.js [ Failure Pass ]\ncrbug.com/1107572 [ Mac ] http/tests/devtools/tracing/timeline-style/timeline-style-recalc-with-invalidator-invalidations.js [ Failure Pass ]\n\n# Sheriff 2020-07-22\ncrbug.com/1107722 [ Mac ] virtual/threaded/http/tests/devtools/tracing/timeline-misc/timeline-event-causes.js [ Failure Pass ]\ncrbug.com/1107722 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-script-id.js [ Failure Pass ]\n\n# Failing on Webkit Linux Leak\ncrbug.com/1046784 [ Linux ] http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\ncrbug.com/1046784 [ Linux ] http/tests/devtools/tracing/timeline-misc/timeline-event-causes.js [ Failure Pass ]\n\n# Sheriff 2020-07-23\ncrbug.com/1108786 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-gc-event.js [ Failure Pass ]\ncrbug.com/1108786 [ Linux ] http/tests/devtools/tracing/timeline-js/timeline-gc-event.js [ Failure Pass ]\n\n# Sheriff 2020-07-27\ncrbug.com/1107944 [ Mac ] http/tests/devtools/tracing/timeline-paint/timeline-paint.js [ Failure Pass ]\n\ncrbug.com/1092794 fast/canvas/OffscreenCanvas-2d-placeholder-willReadFrequently.html [ Failure Pass ]\n\n# Sheriff 2020-08-03\ncrbug.com/1106429 virtual/percent-based-scrolling/max-percent-delta-page-zoom.html [ Failure Pass ]\n\n# Sheriff 2020-08-05\ncrbug.com/1113050 fast/borders/border-radius-mask-video-ratio.html [ Failure Pass ]\ncrbug.com/1113127 fast/canvas/downsample-quality.html [ Crash Failure Pass ]\n\n# Sheriff 2020-08-06\ncrbug.com/1113791 [ Win ] media/video-zoom.html [ Failure Pass ]\n\n# Virtual dark mode tests currently fails.\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/date-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/month-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/time-suggestion-picker-appearance.html [ Failure ]\ncrbug.com/1111932 virtual/dark-color-scheme/fast/forms/color-scheme/suggestion-picker/week-suggestion-picker-appearance.html [ Failure ]\n\n# Sheriff 2020-08-11\ncrbug.com/1095540 virtual/threaded-prefer-compositing/fast/scrolling/resize-corner-tracking-touch.html [ Failure Pass ]\n\n# Sheriff 2020-08-17\ncrbug.com/1069546 [ Mac ] compositing/layer-creation/overflow-scroll-overlap.html [ Failure Pass ]\n\n# Unexpected demuxer success after M86 FFmpeg roll.\ncrbug.com/1117613 media/video-error-networkState.html [ Failure Timeout ]\n\n# Sheriff 2020-0-21\ncrbug.com/1120330 virtual/threaded/external/wpt/feature-policy/experimental-features/vertical-scroll-disabled-scrollbar-tentative.html [ Failure Pass ]\ncrbug.com/1120330 virtual/threaded/external/wpt/permissions-policy/experimental-features/vertical-scroll-disabled-scrollbar-tentative.html [ Failure Pass ]\n\ncrbug.com/1122582 external/wpt/html/cross-origin-opener-policy/coop-csp-sandbox-navigate.https.html [ Failure Pass ]\n\n# Sheriff 2020-09-09\ncrbug.com/1126709 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure Pass ]\ncrbug.com/1126709 [ Win ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure Pass ]\n\n# Sheriff 2020-09-17\ncrbug.com/1129347 [ Debug Mac10.13 ] http/tests/devtools/persistence/persistence-external-change-breakpoints.js [ Failure Pass ]\n### virtual/scroll-unification/fast/scrolling/scrollbars/\nvirtual/scroll-unification/fast/scrolling/scrollbars/mouse-scrolling-on-div-scrollbar.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-occluded-by-div.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-rtl-manipulation.html [ Failure ]\nvirtual/scroll-unification/fast/scrolling/scrollbars/dsf-ready/mouse-interactions-dsf-2.html [ Failure ]\n\n# Sheriff 2020-09-21\ncrbug.com/1130500 [ Debug Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/xhr/xhr-timeout-longtask.any.worker.html [ Failure Pass ]\n\n# Sheriff 2020-09-22\ncrbug.com/1130533 [ Mac ] external/wpt/xhr/xhr-timeout-longtask.any.html [ Failure Pass ]\n\n# Sheriff 2020-09-22\ncrbug.com/1130533 [ Mac ] external/wpt/xhr/xhr-timeout-longtask.any.worker.html [ Failure Pass ]\n\n# Sheriff 2020-09-23\ncrbug.com/1131551 compositing/transitions/transform-on-large-layer.html [ Failure Pass Timeout ]\ncrbug.com/1057060 virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\ncrbug.com/1057060 virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\ncrbug.com/1057060 virtual/scroll-unification/fast/scrolling/scrollbars/mouse-autoscrolling-on-scrollbar.html [ Failure Pass Skip Timeout ]\n\n# Transform animation reftests\ncrbug.com/1133901 virtual/threaded/external/wpt/css/css-transforms/animation/transform-interpolation-translate-em.html [ Failure ]\ncrbug.com/1133901 virtual/composite-relative-keyframes/external/wpt/css/css-transforms/animation/transform-interpolation-translate-em.html [ Failure ]\n\ncrbug.com/1136163 [ Linux ] external/wpt/pointerevents/pointerlock/pointerevent_movementxy_with_pointerlock.html [ Failure ]\n\n# Mixed content autoupgrades make these tests not applicable, since they check for mixed content images, the tests can be removed when cleaning up pre autoupgrades mixed content code.\ncrbug.com/1042877 external/wpt/fetch/cross-origin-resource-policy/scheme-restriction.https.window.html [ Failure ]\ncrbug.com/1042877 external/wpt/mixed-content/gen/top.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/mixed-content/imageset.https.sub.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/iframe-blank-inherit.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/srcdoc-inherit.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 external/wpt/upgrade-insecure-requests/gen/top.meta/unset/img-tag.https.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-css-image-with-reload.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-iframe.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame-allowed.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame-blocked.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/insecure-image-in-main-frame.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/preload-insecure-image-in-main-frame-blocked.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-blocked.https.html [ Timeout ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-in-frame-blocked.https.html [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-image-reportonly.https.php [ Failure ]\ncrbug.com/1042877 http/tests/security/mixedContent/strict-mode-via-pref-image-blocked.https.html [ Failure ]\n\ncrbug.com/1046784 http/tests/devtools/sources/debugger/anonymous-script-with-source-map-breakpoint.js [ Failure Pass ]\n\n# Mixed content autoupgrades cause test to fail because test relied on http subresources to test a different origin, needs to be changed to not rely on HTTP URLs.\ncrbug.com/1042877 http/tests/security/img-crossorigin-redirect-credentials.https.html [ Failure ]\n\n# Sheriff 2020-10-09\ncrbug.com/1136687 external/wpt/pointerevents/pointerlock/pointerevent_pointerlock_supercedes_capture.html [ Failure Pass ]\ncrbug.com/1136726 [ Linux ] virtual/gpu-rasterization/images/imagemap-focus-ring-outline-color-not-inherited-from-map.html [ Failure ]\n\n# Sheriff 2020-10-14\ncrbug.com/1138591 [ Mac10.15 ] http/tests/dom/raf-throttling-out-of-view-cross-origin-page.html [ Failure ]\n\n# WebRTC: Payload demuxing times out in Plan B. This is expected.\ncrbug.com/1139052 virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/rtp-demuxing.html [ Skip Timeout ]\n\ncrbug.com/1137228 [ Mac ] external/wpt/infrastructure/testdriver/click_iframe_crossorigin.sub.html [ Failure Pass ]\n\n# Rename document.featurePolicy to document.permissionsPolicy\ncrbug.com/1123116 external/wpt/permissions-policy/payment-supported-by-permissions-policy.tentative.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-all.https.sub.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-self.https.sub.html [ Failure Skip Timeout ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-some-override.https.sub.html [ Failure ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-allowed-for-some.https.sub.html [ Failure Skip Timeout ]\ncrbug.com/1123116 external/wpt/permissions-policy/permissions-policy-frame-policy-disallowed-for-all.https.sub.html [ Failure Skip Timeout ]\n\n# Rename \"feature-policy-violation\" report type to \"permissions-policy-violation\" report type.\ncrbug.com/1123116 external/wpt/feature-policy/reporting/camera-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/encrypted-media-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/fullscreen-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/generic-sensor-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/geolocation-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/microphone-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/midi-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/payment-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/picture-in-picture-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/screen-wake-lock-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/serial-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/sync-xhr-reporting.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/usb-reporting.https.html [ Timeout ]\ncrbug.com/1123116 external/wpt/feature-policy/reporting/xr-reporting.https.html [ Timeout ]\n\ncrbug.com/1159445 [ Mac ] paint/invalidation/repaint-overlay/layers-overlay.html [ Failure ]\n\ncrbug.com/1140329 http/tests/devtools/network/network-filter-service-worker.js [ Failure Pass Skip Timeout ]\n\n#Sheriff 2020-10-21\ncrbug.com/1141206 scrollbars/overflow-scrollbar-combinations.html [ Failure Pass ]\n\n#Sheriff 2020-10-26\ncrbug.com/1142877 [ Mac ] external/wpt/mediacapture-fromelement/capture.html [ Crash Failure Pass ]\ncrbug.com/1142877 [ Debug Linux ] external/wpt/mediacapture-fromelement/capture.html [ Crash Failure Pass ]\n\n#Sheriff 2020-10-29\ncrbug.com/1143720 [ Win7 ] external/wpt/media-source/mediasource-detach.html [ Failure Pass ]\n\n# Sheriff 2020-11-03\ncrbug.com/1145019 [ Win7 ] fast/events/updateLayoutForHitTest.html [ Failure ]\n\n# Sheriff 2020-11-04\ncrbug.com/1144273 http/tests/devtools/sources/debugger-ui/continue-to-location-markers-in-top-level-function.js [ Failure Pass Skip Timeout ]\n\n# Sheriff 2020-11-06\ncrbug.com/1146560 [ Win ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\ncrbug.com/1170041 [ Linux ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\ncrbug.com/1170041 [ Mac ] fast/canvas/color-space/canvas-createImageBitmap-e_srgb.html [ Failure Pass ]\n\n# Sheriff 2020-11-12\ncrbug.com/1148259 [ Mac ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/javascript-url-return-value-handling-dynamic.html [ Failure ]\n\n# Sheriff 2020-11-19\ncrbug.com/1150700 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/registration-updateviacache.https.html [ Failure Pass Skip Timeout ]\ncrbug.com/1150700 [ Win ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/update-bytecheck-cors-import.https.html [ Pass Skip Timeout ]\n\n# Disable flaky tests when scroll unification is enabled\ncrbug.com/1130020 virtual/scroll-unification/fast/scrolling/scrollbars/scrollbar-mousedown-move-mouseup.html [ Crash Failure Pass Timeout ]\ncrbug.com/1130020 virtual/threaded-prefer-compositing/fast/scrolling/scrollbars/scrollbar-mousedown-move-mouseup.html [ Failure Pass Timeout ]\n\n# Sheriff 2020-11-16\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/debugger-inline-values-frames.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/reveal-execution-line.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149987 external/wpt/websockets/Create-blocked-port.any.html [ Pass Timeout ]\ncrbug.com/1149987 external/wpt/websockets/Create-blocked-port.any.worker.html [ Pass Timeout ]\ncrbug.com/1150475 fast/dom/open-and-close-by-DOM.html [ Failure Pass ]\n\n#Sheriff 2020-11-23\ncrbug.com/1152088 [ Debug Mac10.13 ] fast/dom/cssTarget-crash.html [ Pass Timeout ]\n# Sheriff 2021-01-22 added Timeout per crbug.com/1046784:\ncrbug.com/1149734 http/tests/devtools/sources/source-frame-toolbar-items.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-frameworks/frameworks-sourcemap.js [ Failure Pass ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/continue-to-location-markers.js [ Failure Pass Skip Timeout ]\ncrbug.com/1149734 http/tests/devtools/sources/debugger-ui/inline-scope-variables.js [ Failure Pass Skip Timeout ]\n\n#Sheriff 2020-11-24\ncrbug.com/1087242 http/tests/inspector-protocol/service-worker/network-extrainfo-main-request.js [ Crash Failure Pass Timeout ]\ncrbug.com/1149771 [ Linux ] virtual/android/fullscreen/video-scrolled-iframe.html [ Failure Pass Skip Timeout ]\ncrbug.com/1152532 http/tests/devtools/service-workers/user-agent-override.js [ Pass Skip Timeout ]\ncrbug.com/1134459 accessibility/aom-click-action.html [ Pass Timeout ]\n\n#Sheriff 2020-11-26\ncrbug.com/1032451 virtual/threaded-no-composited-antialiasing/animations/stability/animation-iteration-event-destroy-renderer.html [ Pass Skip Timeout ]\ncrbug.com/931646 [ Mac ] http/tests/preload/meta-viewport-link-headers-imagesrcset.html [ Failure Pass ]\n\n# Win7 suggestion picker appearance tests have a scrollbar flakiness issue\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-locale-hebrew.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-locale-hebrew.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-appearance-rtl.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/week-suggestion-picker-appearance-with-scroll-bar.html [ Failure Pass ]\ncrbug.com/1045510 [ Win7 ] fast/forms/suggestion-picker/time-suggestion-picker-appearance.html [ Failure Pass ]\n\ncrbug.com/681468 fast/forms/suggestion-picker/date-suggestion-picker-appearance-zoom125.html [ Failure Pass ]\ncrbug.com/681468 fast/forms/suggestion-picker/date-suggestion-picker-appearance-zoom200.html [ Failure Pass ]\n\n# These tests will only run in the virtual test suite where the frequency\n# capping for overlay popup detection is disabled. This eliminates the need\n# for waitings in web tests to trigger a detection event.\ncrbug.com/1032681 http/tests/subresource_filter/overlay_popup_ad/* [ Skip ]\ncrbug.com/1032681 virtual/disable-frequency-capping-for-overlay-popup-detection/http/tests/subresource_filter/overlay_popup_ad/* [ Pass ]\n\n# Sheriff 2020-12-03\ncrbug.com/1154940 [ Win7 ] inspector-protocol/overlay/overlay-persistent-overlays-with-emulation.js [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1144171 http/tests/devtools/report-API-errors.js [ Skip ]\n\n# Sheriff 2020-12-11\n# Flaking on Linux Trusty\ncrbug.com/1157849 [ Linux Release ] external/wpt/webrtc/RTCPeerConnection-iceConnectionState.https.html [ Pass Skip Timeout ]\ncrbug.com/1157861 http/tests/devtools/extensions/extensions-resources.js [ Failure Pass ]\ncrbug.com/1157861 http/tests/devtools/console/paintworklet-console-selector.js [ Failure Pass ]\n\n# Wpt importer Sheriff 2020-12-11\ncrbug.com/626703 [ Linux ] wpt_internal/storage/estimate-usage-details-filesystem.https.tentative.any.html [ Failure Pass ]\n\n# Wpt importer sheriff 2020-12-23\ncrbug.com/1161590 external/wpt/html/semantics/forms/textfieldselection/select-event.html [ Failure Skip Timeout ]\n\n# Wpt importer sheriff 2021-01-05\ncrbug.com/1163175 external/wpt/css/css-pseudo/first-letter-punctuation-and-space.html [ Failure ]\n\n# Sheriff 2020-12-22\ncrbug.com/1161301 [ Mac10.15 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Pass Timeout ]\ncrbug.com/1161301 [ Mac10.14 ] external/wpt/webxr/xrSession_requestReferenceSpace_features.https.html [ Failure Pass Timeout ]\n\n# Failing on Webkit Linux Leak only:\ncrbug.com/1046784 http/tests/devtools/tracing/timeline-receive-response-event.js [ Failure Pass ]\n\n# Sheriff 2021-01-12\ncrbug.com/1163793 http/tests/inspector-protocol/page/page-events-associated.js [ Failure Pass ]\n\n# Sheriff 2021-01-13\ncrbug.com/1164459 [ Mac10.15 ] external/wpt/preload/download-resources.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-01-15\ncrbug.com/1167222 http/tests/websocket/multiple-connections-throttled.html [ Failure Pass ]\ncrbug.com/1167309 fast/canvas/canvas-createImageBitmap-drawImage.html [ Failure Pass ]\n\n# Sheriff 2021-01-20\ncrbug.com/1168522 external/wpt/focus/iframe-activeelement-after-focusing-out-iframes.html [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1050549 http/tests/devtools/network/preview-searchable.js [ Failure Pass ]\ncrbug.com/1050549 http/tests/devtools/console/console-correct-suggestions.js [ Failure Pass ]\ncrbug.com/1050549 http/tests/devtools/extensions/extensions-timeline-api.js [ Failure Pass ]\n\n# Flaky test\ncrbug.com/1173439 http/tests/devtools/service-workers/service-worker-manager.js [ Pass Skip Timeout ]\n\n# Sheriff 2018-01-25\ncrbug.com/893869 css3/masking/mask-repeat-space-padding.html [ Failure Pass ]\n\n# V8 roll\ncrbug.com/961059 fast/workers/worker-shared-asm-buffer.html [ Skip ]\n\n# Temporarily disabled to unblock https://crrev.com/c/2979697\ncrbug.com/1222114 http/tests/devtools/console/console-call-getter-on-proto.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-dir.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-dir-es6.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-format.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-format-es6.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/console/console-functions.js [ Failure Pass ]\ncrbug.com/1222114 http/tests/devtools/sources/debugger/properties-special.js [ Failure Pass ]\n\ncrbug.com/1247844 external/wpt/css/css-contain/content-visibility/content-visibility-input-image.html [ Timeout ]\n\n# Expected to fail with SuppressDifferentOriginSubframeJSDialogs feature disabled, tested in VirtualTestSuite\ncrbug.com/1065085 external/wpt/html/webappapis/user-prompts/cannot-show-simple-dialogs/confirm-different-origin-frame.sub.html [ Failure ]\ncrbug.com/1065085 external/wpt/html/webappapis/user-prompts/cannot-show-simple-dialogs/prompt-different-origin-frame.sub.html [ Failure ]\n\n# Sheriff 2021-01-27\ncrbug.com/1171331 [ Mac ] tables/mozilla_expected_failures/bugs/bug89315.html [ Failure Pass ]\n\ncrbug.com/1168785 [ Mac ] virtual/threaded-prefer-compositing/fast/scrolling/autoscroll-latch-clicked-node-if-parent-unscrollable.html [ Timeout ]\n\n# flaky test\ncrbug.com/1173956 http/tests/xsl/xslt-transform-with-javascript-disabled.html [ Failure Pass ]\n\n# MediaQueryList tests failing due to incorrect event dispatching. These tests\n# will pass because they have -expected.txt, but keep entries here because they\n# still need to get fixed.\nexternal/wpt/css/cssom-view/MediaQueryList-addListener-handleEvent-expected.txt [ Failure Pass ]\nexternal/wpt/css/cssom-view/MediaQueryList-extends-EventTarget-interop-expected.txt [ Failure Pass ]\n\n# No support for key combinations like Alt + c in testdriver.Actions for content_shell\ncrbug.com/893480 external/wpt/uievents/interface/keyboard-accesskey-click-event.html [ Timeout ]\n\n# Timing out on Fuchsia\ncrbug.com/1171283 [ Fuchsia ] virtual/threaded/synthetic_gestures/synthetic-pinch-zoom-gesture-touchscreen-zoom-out-slow.html [ Pass Timeout ]\n\n# Sheriff 2021-02-11\ncrbug.com/1177573 http/tests/inspector-protocol/animation/animation-pause.js [ Failure Pass ]\ncrbug.com/1177573 http/tests/inspector-protocol/animation/animation-pause-infinite.js [ Failure Pass ]\n\n# Sheriff 2021-02-15\ncrbug.com/1177996 [ Linux ] storage/websql/database-lock-after-reload.html [ Failure Pass ]\ncrbug.com/1178018 external/wpt/webaudio/the-audio-api/the-mediaelementaudiosourcenode-interface/mediaElementAudioSourceToScriptProcessorTest.html [ Failure Pass ]\n\n# Expected to fail - Chrome's WebXR Depth Sensing API implementation does not currently support `gpu-optimized` usage mode.\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_dataUnavailable.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_inactiveFrame.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_incorrectUsage.https.html [ Failure ]\ncrbug.com/1179461 external/wpt/webxr/depth-sensing/gpu/depth_sensing_gpu_staleView.https.html [ Failure ]\n\n# Sheriff 2021-02-17\ncrbug.com/1179117 [ Linux ] http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\n\n# Sheriff 2021-02-18\ncrbug.com/1179772 [ Win7 ] http/tests/devtools/console/console-preserve-log-x-process-navigation.js [ Failure Pass ]\ncrbug.com/1179857 [ Linux ] http/tests/inspector-protocol/dom/dom-getFrameOwner.js [ Failure Pass ]\ncrbug.com/1179905 [ Linux ] fast/multicol/nested-very-tall-inside-short-crash.html [ Failure Pass ]\n\n# Sheriff 2021-02-19\ncrbug.com/1180227 [ Mac ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-default-feature-policy.https.html [ Crash Failure Pass ]\ncrbug.com/1180227 [ Linux ] virtual/feature-policy-permissions/external/wpt/mediacapture-streams/MediaStream-default-feature-policy.https.html [ Failure Pass ]\ncrbug.com/1180479 [ Mac ] virtual/threaded-prefer-compositing/external/wpt/css/cssom-view/scrollIntoView-smooth.html [ Failure Pass Timeout ]\n\ncrbug.com/1180274 crbug.com/1046784 http/tests/inspector-protocol/network/navigate-iframe-out2in.js [ Failure Pass ]\n\n# Sheriff 2021-02-21\ncrbug.com/1180491 [ Linux ] external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\ncrbug.com/1180491 [ Linux ] virtual/storage-access-api/external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\n\n# Sheriff 2021-02-24\ncrbug.com/1181667 [ Linux ] external/wpt/css/selectors/focus-visible-011.html [ Failure Pass ]\ncrbug.com/1045052 [ Linux ] virtual/split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Failure Pass Skip Timeout ]\ncrbug.com/1045052 [ Linux ] virtual/not-split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Failure Pass Skip Timeout ]\ncrbug.com/1181857 external/wpt/webaudio/the-audio-api/the-analysernode-interface/test-analyser-output.html [ Failure Pass ]\n\n# Sheriff 2021-02-25\ncrbug.com/1182673 [ Win7 ] http/tests/devtools/profiler/live-line-level-heap-profile.js [ Skip Timeout ]\ncrbug.com/1182675 [ Linux ] dom/attr/id-update-map-crash.html [ Failure Pass ]\ncrbug.com/1182682 [ Linux ] http/tests/devtools/service-workers/service-workers-view.js [ Failure Pass ]\n\n# Sheriff 2021-03-04\ncrbug.com/1184745 [ Mac ] external/wpt/media-source/mediasource-changetype-play.html [ Failure Pass ]\n\n# Sheriff 2021-03-08\ncrbug.com/1092462 [ Linux ] http/tests/media/media-source/mediasource-duration.html [ Failure Pass ]\ncrbug.com/1092462 [ Linux ] media/video-seek-past-end-paused.html [ Failure Pass ]\ncrbug.com/1185675 [ Mac ] virtual/gpu-rasterization/images/color-profile-object.html [ Failure Pass ]\ncrbug.com/1185676 [ Mac ] http/tests/devtools/tracing/timeline-js/timeline-js-line-level-profile-end-to-end.js [ Failure Pass Skip Timeout ]\n\ncrbug.com/1185051 fast/canvas/OffscreenCanvas-Bitmaprenderer-toBlob-worker.html [ Failure Pass ]\n\n# Updating virtual suite from virtual/threaded/fast/scroll-snap to\n# virtual/threaded-prefer-compositing/fast/scroll-snap exposes additional\n# tests that fail on the composited code path.\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-scrollbar-scrolling-thumb.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-wheel-scrolling.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/snap-scrolls-visual-viewport.html [ Failure Pass ]\ncrbug.com/1186753 virtual/threaded-prefer-compositing/fast/scroll-snap/animate-fling-to-snap-points-2.html [ Failure Pass Skip Timeout ]\n\n# Expect failure for unimplemented canvas color object input\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.fillStyle.colorObject.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.fillStyle.colorObject.transparency.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.strokeStyle.colorObject.html [ Failure ]\ncrbug.com/1187575 external/wpt/html/canvas/element/fill-and-stroke-styles/2d.strokeStyle.colorObject.transparency.html [ Failure ]\n\n# Sheriff 2021-03-17\ncrbug.com/1072022 http/tests/security/frameNavigation/xss-ALLOWED-parent-navigation-change.html [ Pass Timeout ]\n\n# Sheriff 2021-03-19\ncrbug.com/1189976 http/tests/devtools/sources/debugger-breakpoints/dom-breakpoints.js [ Skip ]\ncrbug.com/1189976 http/tests/devtools/sources/debugger-breakpoints/dom-breakpoints-editing-dom-from-inspector.js [ Skip ]\ncrbug.com/1190176 [ Linux ] fast/peerconnection/RTCPeerConnection-addMultipleTransceivers.html [ Failure Pass ]\n\ncrbug.com/1191068 [ Mac ] external/wpt/resource-timing/iframe-failed-commit.html [ Failure Pass ]\ncrbug.com/1191068 [ Win ] external/wpt/resource-timing/iframe-failed-commit.html [ Failure Pass ]\n\ncrbug.com/1176039 [ Mac ] virtual/stable/media/stable/video-object-fit-stable.html [ Failure Pass ]\n\ncrbug.com/1190905 [ Mac ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\ncrbug.com/1190905 [ Linux ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\ncrbug.com/1190905 [ Win ] http/tests/devtools/indexeddb/live-update-indexeddb-list.js [ Failure Pass ]\n\n# Sheriff 2021-03-23\ncrbug.com/1182689 [ Mac ] external/wpt/editing/run/delete.html?6001-last [ Failure ]\n\n# Sheriff 2021-03-31\n# Failing tests because of enabling scroll unification flag\ncrbug.com/1194446 virtual/scroll-unification/fast/events/platform-wheelevent-paging-x-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/1194446 virtual/scroll-unification/fast/events/scale-and-scroll-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/1194446 virtual/scroll-unification/fast/events/platform-wheelevent-paging-y-in-scrolling-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-active-state.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-mouse-events.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-prefer_compositing_to_lcd_text/fast/scroll-behavior/overflow-scroll-animates.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scroll-snap/snap-to-target-on-layout-change.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/auto-scrollbar-fades-out.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-frame-scrollbar.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/pointerevents/multi-pointer-preventdefault.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/scrollbars/hidden-scrollbars-invisible.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scrolling/overflow-scrollability.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-paragraph-end.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/drag-and-drop-autoscroll-mainframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/scroll-snap/animate-fling-to-snap-points-1.html [ Failure Pass ]\n\n# Sheriff 2021-04-01\ncrbug.com/1167679 accessibility/aom-focus-action.html [ Crash Failure Pass Timeout ]\n# More failing tests because of enabling scroll unification flag\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-active-state-hidden-iframe.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-should-not-stop-on-keypress.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-scrolled.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-upwards-propagation-overflow-hidden-body.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/frame-scroll-fake-mouse-move.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-fling-with-page-scale.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/autoscroll-nonscrollable-iframe-in-scrollable-div.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/gesture-tap-hover-clear.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-event-from-touch-source-device-event-sender.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/touch/gesture/touch-gesture-fully-scrolled-iframe-propagates.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification/fast/events/mouse-event-buttons-attribute.html [ Crash Failure Pass Timeout ]\ncrbug.com/476553 virtual/scroll-unification-unified-autoplay/external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2021-04-05\ncrbug.com/921151 http/tests/security/mixedContent/insecure-iframe-with-hsts.https.html [ Failure Pass ]\n\n# Sheriff 2021-04-06\ncrbug.com/1032451 [ Linux ] virtual/threaded/animations/stability/animation-iteration-event-destroy-renderer.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-07\ncrbug.com/1196620 [ Mac ] external/wpt/css/compositing/mix-blend-mode/mix-blend-mode-video-sibling.html [ Failure Pass ]\n\n# WebTransport tests should eventually run when the WebTransport WPT server is added.\ncrbug.com/1201569 external/wpt/webtransport/* [ Skip ]\n# WebTransport server infra tests pass on python3 but fail on python2.\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.serviceworker.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.sharedworker.html [ Failure Pass ]\ncrbug.com/1201569 external/wpt/infrastructure/server/webtransport-h3.https.sub.any.worker.html [ Failure Pass ]\n\ncrbug.com/1194958 fast/events/mouse-event-buttons-attribute.html [ Failure Pass ]\n\n# Sheriff 2021-04-08\ncrbug.com/1197087 external/wpt/web-animations/interfaces/Animation/finished.html [ Failure Pass ]\ncrbug.com/1197087 external/wpt/css/css-animations/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\ncrbug.com/1197087 external/wpt/css/css-transitions/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\ncrbug.com/1197087 virtual/threaded/external/wpt/css/css-animations/AnimationEffect-getComputedTiming.tentative.html [ Failure Pass ]\n\n# Sheriff 2021-04-09\ncrbug.com/1197528 [ Mac ] pointer-lock/pointerlockchange-pointerlockerror-events.html [ Failure Pass ]\n\ncrbug.com/1195295 fast/events/touch/multi-touch-timestamp.html [ Failure Pass ]\n\ncrbug.com/1197296 [ Mac10.15 ] external/wpt/feature-policy/feature-policy-frame-policy-timing.https.sub.html [ Failure Pass ]\n\ncrbug.com/1196745 [ Mac10.15 ] editing/selection/editable-links.html [ Skip ]\n\n# WebID\n# These tests are only valid when WebID flag is enabled\ncrbug.com/1067455 wpt_internal/webid/* [ Failure ]\ncrbug.com/1067455 virtual/webid/* [ Pass ]\n\n# Is fixed by PlzDedicatedWorker.\ncrbug.com/1060837 external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.https.html [ Timeout ]\ncrbug.com/1060837 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.https.html [ Pass ]\n\ncrbug.com/1143102 virtual/plz-dedicated-worker/http/tests/inspector-protocol/fetch/dedicated-worker-main-script.js [ Skip ]\n\n# These timeout because COEP reporting to a worker is not implemented.\ncrbug.com/1197041 external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.https.html [ Skip ]\ncrbug.com/1197041 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.https.html [ Skip ]\n\n# Sheriff 2021-04-12\ncrbug.com/1198103 virtual/scroll-unification/fast/events/drag-and-drop-autoscroll.html [ Pass Timeout ]\n\ncrbug.com/1193979 [ Mac ] fast/events/tabindex-focus-blur-all.html [ Failure Pass ]\ncrbug.com/1196201 fast/events/mouse-event-source-device-event-sender.html [ Failure Pass ]\n\n# Sheriff 2021-04-13\ncrbug.com/1198698 external/wpt/clear-site-data/storage.https.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-04-14\ncrbug.com/1198828 [ Win ] virtual/scroll-unification/fast/events/mouse-events-on-node-deletion.html [ Failure Pass ]\ncrbug.com/1198828 [ Linux ] virtual/scroll-unification/fast/events/mouse-events-on-node-deletion.html [ Failure Pass ]\n\n# Sheriff 2021-04-15\ncrbug.com/1199380 virtual/scroll-unification-prefer_compositing_to_lcd_text/fast/scroll-behavior/overflow-scroll-root-frame-animates.html [ Skip ]\ncrbug.com/1194460 virtual/scroll-unification/fast/events/mouseenter-mouseleave-chained-listeners.html [ Skip ]\ncrbug.com/1196118 plugins/mouse-move-over-plugin-in-frame.html [ Failure Pass ]\ncrbug.com/1199528 http/tests/inspector-protocol/css/css-edit-redirected-css.js [ Failure Pass ]\ncrbug.com/1196317 [ Mac ] scrollbars/custom-scrollbar-thumb-width-changed-on-inactive-pseudo.html [ Failure Pass ]\n\n# Sheriff 2021-04-20\ncrbug.com/1200671 [ Mac11 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\ncrbug.com/1200671 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\n\ncrbug.com/1197444 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/nested-scroll-overlay-scrollbar.html [ Crash Failure Pass ]\n# Sheriff 2021-04-21\ncrbug.com/1200671 [ Linux ] external/wpt/webrtc/protocol/rtp-payloadtypes.html [ Crash Pass ]\ncrbug.com/1201225 external/wpt/pointerevents/pointerlock/pointerevent_pointerrawupdate_in_pointerlock.html [ Failure Pass Timeout ]\ncrbug.com/1198232 [ Win ] virtual/scroll-unification/fast/events/mouseenter-mouseleave-on-drag.html [ Failure Pass ]\ncrbug.com/1201346 http/tests/origin_trials/webexposed/bfcache-experiment-http-header-origin-trial.php [ Failure Pass ]\ncrbug.com/1201348 [ Linux ] virtual/shared_array_buffer_on_desktop/http/tests/inspector-protocol/issues/mixed-content-issue-creation-js-within-oopif.js [ Pass Timeout ]\ncrbug.com/1201365 virtual/portals/http/tests/inspector-protocol/portals/device-emulation-portals.js [ Pass Timeout ]\n\n# Sheriff 2021-04-22\ncrbug.com/1191990 [ Linux ] http/tests/serviceworker/clients-openwindow.html [ Failure Pass ]\n\n# Sheriff 2021-04-23\ncrbug.com/1198832 [ Linux ] external/wpt/css/css-sizing/aspect-ratio/replaced-element-003.html [ Failure Pass ]\ncrbug.com/1202051 virtual/scroll-unification/scrollbars/layout-viewport-scrollbars-hidden.html [ Failure Pass ]\ncrbug.com/1202051 virtual/scroll-unification-prefer_compositing_to_lcd_text/scrollbars/layout-viewport-scrollbars-hidden.html [ Failure Pass ]\ncrbug.com/1197528 [ Linux ] pointer-lock/pointerlockchange-pointerlockerror-events.html [ Failure Pass ]\n\n# Image pixels are sometimes different on Fuchsia.\ncrbug.com/1201123 [ Fuchsia ] tables/mozilla/bugs/bug1188.html [ Failure Pass ]\n\n# Sheriff 2021-04-26\ncrbug.com/1202722 [ Linux ] virtual/scroll-unification/fast/events/mouseenter-mouseleave-on-drag.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-29\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/css-paint-api/idlharness.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/css-shapes/parsing/shape-outside-computed.html [ Failure Pass Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/css/cssom-view/idlharness.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/gamepad/idlharness.https.window.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/input-device-capabilities/idlharness.window.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/periodic-background-sync/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/storage/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/storage/idlharness.https.any.worker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/webusb/idlharness.https.any.html [ Failure Pass Skip Timeout ]\ncrbug.com/1203963 [ Mac10.14 ] external/wpt/xhr/idlharness.any.sharedworker.html [ Failure Pass Skip Timeout ]\ncrbug.com/1198443 [ Mac10.14 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/request-upload.any.html [ Failure Pass Timeout ]\ncrbug.com/1198443 [ Mac10.14 ] virtual/plz-dedicated-worker/external/wpt/fetch/api/basic/request-upload.any.worker.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-04-30\ncrbug.com/1204498 [ Linux ] virtual/scroll-unification/fast/events/hit-test-cache-iframes.html [ Failure Pass ]\n\n# Appears to be timing out even when marked as Slow.\ncrbug.com/1205184 [ Mac11 ] external/wpt/IndexedDB/interleaved-cursors-large.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-05-03\ncrbug.com/1205133 [ Linux ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Pass Timeout ]\ncrbug.com/1205133 [ Mac ] virtual/gpu/fast/canvas/canvas-blending-gradient-over-color.html [ Pass Timeout ]\ncrbug.com/1205012 external/wpt/html/cross-origin-opener-policy/reporting/access-reporting/reporting-observer.html [ Pass Skip Timeout ]\ncrbug.com/1197465 [ Linux ] virtual/scroll-unification/fast/events/mouse-cursor-no-mousemove.html [ Failure Pass ]\ncrbug.com/1093041 fast/canvas/color-space/canvas-createImageBitmap-rec2020.html [ Failure Pass ]\ncrbug.com/1093041 virtual/gpu/fast/canvas/color-space/canvas-createImageBitmap-rec2020.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-05-10\ncrbug.com/1207337 virtual/scroll-unification/fast/scroll-snap/animate-fling-to-snap-points-2.html [ Failure Pass ]\n\n# Sheriff 2021-05-04\ncrbug.com/1205659 [ Mac ] external/wpt/IndexedDB/key-generators/reading-autoincrement-indexes.any.worker.html [ Pass Timeout ]\ncrbug.com/1205659 [ Mac ] storage/indexeddb/empty-blob-file.html [ Pass Timeout ]\ncrbug.com/1205673 [ Linux ] virtual/threaded-prefer-compositing/fast/scroll-snap/snaps-after-wheel-scrolling-single-tick.html [ Failure Pass ]\n\n# Browser Infra 2021-05-04\n# Re-enable once all Linux CI/CQ builders migrated to Bionic\ncrbug.com/1200134 [ Linux ] fast/gradients/unprefixed-repeating-gradient-color-hint.html [ Failure Pass ]\n\n# Sheriff 2021-05-05\ncrbug.com/1205796 [ Mac10.12 ] external/wpt/html/dom/idlharness.https.html?include=HTML.* [ Failure ]\ncrbug.com/1205796 [ Mac10.14 ] external/wpt/html/dom/idlharness.https.html?include=HTML.* [ Failure ]\n\n# Blink_web_tests 2021-05-06\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/fetch/api/idlharness.any.sharedworker.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/gamepad/idlharness.https.window.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/input-device-capabilities/idlharness.window.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/periodic-background-sync/idlharness.https.any.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] external/wpt/storage/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1205669 [ Mac10.13 ] virtual/threaded/external/wpt/animation-worklet/idlharness.any.worker.html [ Failure ]\n\n# Sheriff 2021-05-07\n# Some plzServiceWorker and plzDedicatedWorker singled out from generic sheriff rounds above\ncrbug.com/1207851 virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.serviceworker.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-05-10\ncrbug.com/1207709 [ Mac10.13 ] external/wpt/resource-timing/document-domain-no-impact-opener.html [ Failure Pass ]\ncrbug.com/1207709 [ Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/resource-timing/document-domain-no-impact-opener.html [ Failure Pass ]\ncrbug.com/1207709 [ Mac10.13 ] external/wpt/pointerevents/pointerevent_contextmenu_is_a_pointerevent.html?touch [ Failure Pass Timeout ]\n\n# Will be passed when compositing-after-paint is used by default 2021-05-13\ncrbug.com/1208213 external/wpt/css/css-transforms/add-child-in-empty-layer.html [ Failure ]\n\n# Sheriff 2021-05-12\ncrbug.com/1095540 [ Debug Linux ] virtual/compositor-threaded-percent-based-scrolling/fast/scrolling/resize-corner-tracking-touch.html [ Failure Pass ]\n\n# For SkiaRenderer on MacOS\ncrbug.com/1208173 [ Mac ] animations/animation-paused-hardware.html [ Failure ]\ncrbug.com/1208173 [ Mac ] animations/missing-values-first-keyframe.html [ Failure ]\ncrbug.com/1208173 [ Mac ] animations/missing-values-last-keyframe.html [ Failure ]\ncrbug.com/1208173 [ Mac ] css3/filters/backdrop-filter-boundary.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1208173 [ Mac ] external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac ] svg/custom/svg-root-with-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/prefer_compositing_to_lcd_text/compositing/overflow/nested-render-surfaces-with-rotation.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/scalefactor200/external/wpt/css/filter-effects/backdrop-filter-basic-opacity-2.html [ Failure ]\ncrbug.com/1208173 [ Mac ] virtual/scalefactor200/external/wpt/css/filter-effects/css-filters-animation-opacity.html [ Failure ]\ncrbug.com/1208173 [ Mac10.14 ] wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Timeout ]\n\n# Fix to unblock wpt-importer\ncrbug.com/1209223 [ Mac ] external/wpt/url/a-element.html [ Pass Timeout ]\ncrbug.com/1209223 external/wpt/url/url-constructor.any.worker.html [ Pass Skip Timeout ]\n\n# Sheriff 2021-05-17\ncrbug.com/1193920 virtual/scroll-unification/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Pass Timeout ]\ncrbug.com/1210199 http/tests/devtools/elements/elements-panel-restore-selection-when-node-comes-later.js [ Failure Pass ]\ncrbug.com/1199522 http/tests/devtools/layers/layers-3d-view-hit-testing.js [ Failure Pass ]\n\n# Failing css-transforms-2 web platform tests.\ncrbug.com/847356 external/wpt/css/css-transforms/transform-box/view-box-mutation-001.html [ Failure ]\n\ncrbug.com/1261895 external/wpt/css/css-transforms/transform3d-sorting-002.html [ Failure ]\n\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-002.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-004.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-005.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-006.html [ Failure ]\ncrbug.com/1261900 external/wpt/css/css-transforms/transform-fixed-bg-007.html [ Failure ]\n# Started failing after rolling new version of check-layout-th.js\ncss3/flexbox/perpendicular-writing-modes-inside-flex-item.html [ Failure ]\n\n# Sheriff 2021-05-18\ncrbug.com/1210658 [ Mac10.14 ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\ncrbug.com/1210658 [ Mac10.15 ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\ncrbug.com/1210658 [ Win ] virtual/jxl-enabled/images/jxl/jxl-images.html [ Failure ]\n\n# Temporarily disabled to unblock https://crrev.com/c/3099011\ncrbug.com/1199701 http/tests/devtools/console/console-big-array.js [ Skip ]\n\n# Sheriff 2021-5-19\n# Flaky on Webkit Linux Leak\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger-step/debugger-step-out-document-write.js [ Failure Pass ]\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger/debug-inlined-scripts-fragment-id.js [ Failure Pass ]\ncrbug.com/1210731 [ Linux ] http/tests/devtools/sources/debugger-breakpoints/dynamic-scripts-breakpoints.js [ Failure Pass ]\n\n# The wpt_flags=h2 variants of these tests fail, but the other variants pass. We\n# can't handle this difference with -expected.txt files, so we have to list them\n# here.\ncrbug.com/1048761 external/wpt/websockets/Close-1000-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1000.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-1005.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-2999-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-2999-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-verify-code.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-3000-verify-code.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-4999-reason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-4999-reason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-Reason-124Bytes.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-Reason-124Bytes.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-onlyReason.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-onlyReason.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closed.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closed.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closing.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-readyState-Closing.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-reason-unpaired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-reason-unpaired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-server-initiated-close.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-server-initiated-close.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-undefined.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Close-undefined.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-extensions-empty.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-extensions-empty.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-array-protocols.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-array-protocols.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-binaryType-blob.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-binaryType-blob.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-setCorrectly.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-setCorrectly.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-string.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol-string.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url-protocol.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Create-valid-url.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-0byte-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-0byte-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-65K-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-65K-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-65K-arraybuffer.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-65K-arraybuffer.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybuffer.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybuffer.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float32.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float32.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float64.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-float64.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int16-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int16-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int32.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int32.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int8.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-int8.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint16-offset-length.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint16-offset-length.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint32-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint32-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset-length.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset-length.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-arraybufferview-uint8-offset.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-blob.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-binary-blob.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-data.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-null.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-null.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-paired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-paired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unicode-data.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unicode-data.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unpaired-surrogates.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/Send-unpaired-surrogates.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binaryType-wrong-value.any.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binaryType-wrong-value.any.worker.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/extended-payload-length.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/001.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/002.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/004.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/binary/005.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-arraybuffer.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-blob.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-large.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/bufferedAmount/bufferedAmount-unicode.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/events/018.html?wpt_flags=h2 [ Failure ]\ncrbug.com/1048761 external/wpt/websockets/interfaces/WebSocket/send/006.html?wpt_flags=h2 [ Failure ]\n\n# Sheriff on 2021-05-26\ncrbug.com/1213322 [ Mac ] external/wpt/css/css-values/minmax-percentage-serialize.html [ Failure Pass ]\ncrbug.com/1213322 [ Mac ] external/wpt/html/browsers/the-window-object/named-access-on-the-window-object/window-named-properties.html [ Failure Pass ]\n\n# Do not retry slow tests that also timeouts\ncrbug.com/1210687 [ Mac10.15 ] fast/events/open-window-from-another-frame.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac ] http/tests/permissions/chromium/test-request-worker.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] storage/websql/sql-error-codes.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Mac10.15 ] external/wpt/html/user-activation/propagation-crossorigin.sub.tentative.html [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Win ] virtual/split-http-cache-not-site-per-process/http/tests/devtools/isolated-code-cache/stale-revalidation-test.js [ Pass Skip Timeout ]\ncrbug.com/1210687 [ Win ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/a11y-axe-core/sources/scope-pane-a11y-test.js [ Pass Skip Timeout ]\n\n# Sheriff 2021-06-02\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-applyConstraints-remoteVideoTrack.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-applyConstraints-remoteVideoTrack.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-createDTMFSender.html [ Failure Pass ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-datachannel.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-datachannel.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11 ] fast/peerconnection/RTCPeerConnection-lifetime.html [ Pass Timeout ]\ncrbug.com/1215575 [ Mac11-arm64 ] fast/peerconnection/RTCPeerConnection-lifetime.html [ Pass Timeout ]\ncrbug.com/1215584 [ Mac11 ] inspector-protocol/layout-fonts/lang-fallback.js [ Failure Pass ]\n\n# Fail with field trial testing config.\ncrbug.com/1219767 [ Linux ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-1.https.html [ Failure ]\n\n# Sheriff 2021-06-03\ncrbug.com/1185121 fast/scroll-snap/animate-fling-to-snap-points-1.html [ Failure Pass ]\ncrbug.com/1176162 http/tests/devtools/screen-orientation-override.js [ Failure Pass ]\ncrbug.com/1215949 external/wpt/pointerevents/pointerevent_iframe-touch-action-none_touch.html [ Pass Timeout ]\ncrbug.com/1216139 virtual/bfcache/http/tests/devtools/bfcache/bfcache-elements-update.js [ Failure Pass ]\n\n# Sheriff 2021-06-10\ncrbug.com/1177996 [ Mac10.15 ] storage/websql/database-lock-after-reload.html [ Failure Pass ]\n\n# CSS Highlight API painting issues related to general CSS highlight\n# pseudo-elements painting\ncrbug.com/1147859 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-004.html [ Failure ]\ncrbug.com/1163437 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-below-grammar.html [ Failure ]\ncrbug.com/1147859 external/wpt/css/css-highlight-api/painting/custom-highlight-painting-below-target-text.html [ Failure ]\ncrbug.com/1147859 [ Linux ] external/wpt/css/css-highlight-api/painting/* [ Failure ]\n\n# Sheriff 2021-06-11\ncrbug.com/1218667 [ Win ] virtual/portals/wpt_internal/portals/portals-dangling-markup.sub.html [ Pass Skip Timeout ]\ncrbug.com/1218714 [ Win ] virtual/scroll-unification/fast/forms/select-popup/popup-menu-scrollbar-button-scrolls.html [ Pass Timeout ]\n\n# Green Mac11 Test\ncrbug.com/1201406 [ Mac11 ] fast/events/touch/gesture/touch-gesture-scroll-listbox.html [ Failure ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/credentialscontainer-create-from-nested-frame.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/credentialscontainer-create-origins.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/publickeycredential-same-origin-with-ancestors.html [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/credentialmanager/register-then-sign.html [ Crash Skip Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-add-virtual-authenticator.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-clear-credentials.js [ Crash ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-get-credentials.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-presence-simulation.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-remove-credential.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-set-aps.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] http/tests/inspector-protocol/webauthn/webauthn-user-verification.js [ Crash Timeout ]\ncrbug.com/1201406 [ Mac11 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/iframe-navigation/parent-no-1-no-same-2-yes-port.sub.https.html [ Timeout ]\n\n# Sheriff 2021-06-14\ncrbug.com/1219499 external/wpt/websockets/Create-blocked-port.any.html?wpt_flags=h2 [ Failure Pass Timeout ]\ncrbug.com/1219499 [ Win ] external/wpt/websockets/Create-blocked-port.any.html?wss [ Pass Timeout ]\n\n# Sheriff 2021-06-15\ncrbug.com/1220317 [ Linux ] external/wpt/media-capabilities/decodingInfoEncryptedMedia.https.html [ Crash Failure Pass ]\ncrbug.com/1220317 [ Linux ] external/wpt/media-capabilities/decodingInfo.any.html [ Crash Failure Pass ]\ncrbug.com/1220007 [ Linux ] fullscreen/full-screen-iframe-allowed-video.html [ Failure Pass Timeout ]\n\n# Some flaky gpu canvas compositing\ncrbug.com/1221326 virtual/gpu/fast/canvas/canvas-composite-image.html [ Failure Pass ]\ncrbug.com/1221327 virtual/gpu/fast/canvas/canvas-composite-canvas.html [ Failure Pass ]\ncrbug.com/1221420 virtual/gpu/fast/canvas/canvas-ellipse-zero-lineto.html [ Failure Pass ]\n\n# Sheriff\ncrbug.com/1223327 wpt_internal/prerender/unload.html [ Pass Timeout ]\ncrbug.com/1223327 virtual/prerender/wpt_internal/prerender/unload.html [ Pass Timeout ]\ncrbug.com/1222097 external/wpt/html/cross-origin-embedder-policy/blob.https.html [ Skip ]\ncrbug.com/1222097 external/wpt/mediacapture-image/detached-HTMLCanvasElement.html [ Skip ]\ncrbug.com/1222097 http/tests/canvas/captureStream-on-detached-canvas.html [ Skip ]\ncrbug.com/1222097 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/blob.https.html [ Skip ]\ncrbug.com/1222097 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/worker-inheritance.sub.https.html [ Skip ]\ncrbug.com/1222097 virtual/shared_array_buffer_on_desktop/http/tests/devtools/security/interstitial-sidebar.js [ Skip ]\ncrbug.com/1222097 virtual/shared_array_buffer_on_desktop/http/tests/devtools/security/mixed-content-sidebar.js [ Skip ]\ncrbug.com/1222097 virtual/wasm-site-isolated-code-cache/http/tests/devtools/wasm-isolated-code-cache/wasm-cache-test.js [ Skip ]\ncrbug.com/1222097 external/wpt/uievents/order-of-events/mouse-events/mouseover-out.html [ Skip ]\n\n# Sheriff 2021-06-25\n# Flaky on Webkit Linux Leak\ncrbug.com/1223601 [ Linux ] fast/scrolling/autoscroll-latch-clicked-node-if-parent-unscrollable.html [ Failure Pass ]\ncrbug.com/1223601 [ Linux ] fast/scrolling/reset-scroll-in-onscroll.html [ Failure Pass ]\n\n# Sheriff 2021-06-29\n# Flaky on Mac11 Tests\ncrbug.com/1197464 [ Mac ] virtual/scroll-unification/plugins/refcount-leaks.html [ Failure Pass ]\n\n# Sheriff 2021-06-30\ncrbug.com/1216587 [ Win7 ] accessibility/scroll-window-sends-notification.html [ Failure Pass ]\ncrbug.com/1216587 [ Mac11-arm64 ] accessibility/scroll-window-sends-notification.html [ Failure Pass ]\n\n# Sheriff 2021-07-01\n# Now also flakily timing-out.\ncrbug.com/1193920 virtual/threaded-prefer-compositing/fast/scrolling/events/overscroll-event-fired-to-scrolled-element.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-02\ncrbug.com/1226112 http/tests/text-autosizing/narrow-iframe.html [ Failure Pass ]\n\n# Sheriff 2021-07-05\ncrbug.com/1226445 [ Mac ] virtual/storage-access-api/external/wpt/storage-access-api/storageAccess.testdriver.sub.html [ Failure Pass ]\n\n# Sheriff 2021-07-07\ncrbug.com/1227092 [ Win ] virtual/scroll-unification/fast/events/selection-autoscroll-borderbelt.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-12\ncrbug.com/1228432 [ Linux ] external/wpt/video-rvfc/request-video-frame-callback-before-xr-session.https.html [ Pass Timeout ]\n\n# Depends on fixing WPT cross-origin iframe click flake in crbug.com/1066891.\ncrbug.com/1227710 external/wpt/bluetooth/requestDevice/cross-origin-iframe.sub.https.html [ Failure Pass ]\n\n# Cross-origin WebAssembly module sharing is getting deprecated.\ncrbug.com/1224804 virtual/not-site-per-process/external/wpt/wasm/serialization/module/window-similar-but-cross-origin-success.sub.html [ Skip ]\ncrbug.com/1224804 http/tests/inspector-protocol/issues/wasm-co-sharing-issue.js [ Skip ]\ncrbug.com/1224804 virtual/not-site-per-process/external/wpt/wasm/serialization/module/window-domain-success.sub.html [ Skip ]\n\n\n# Sheriff 2021-07-13\ncrbug.com/1220114 [ Linux ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Failure Pass Timeout ]\ncrbug.com/1228959 [ Linux ] virtual/scroll-unification/fast/scroll-snap/snaps-after-wheel-scrolling-single-tick.html [ Failure Pass ]\n\n# A number of http/tests/inspector-protocol/network tests are flaky.\ncrbug.com/1228246 http/tests/inspector-protocol/network/disable-interception-midway.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-interception-frame-id.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-interception-patterns.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/request-response-interception-disable-between.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/same-site-issue-warn-cookie-lax-subresource-context-downgrade.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/same-site-issue-warn-cookie-strict-subresource-context-downgrade.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228246 http/tests/inspector-protocol/network/webbundle.js [ Crash Failure Pass Skip Timeout ]\n\n# linux_layout_tests_layout_ng_disabled needs its own baselines.\ncrbug.com/1231699 [ Linux ] fast/borders/border-inner-bleed.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/canvas/canvas-composite-video-shadow.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/canvas/canvas-composite-video.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] fast/reflections/opacity-reflection-transform.html [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] svg/custom/focus-ring.svg [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] svg/custom/transformed-outlines.svg [ Failure Pass ]\ncrbug.com/1231699 [ Linux ] virtual/text-antialias/color-emoji.html [ Failure Pass ]\n\n# linux_layout_tests_composite_after_paint failures.\ncrbug.com/1257251 [ Linux ] compositing/reflections/nested-reflection-transformed.html [ Failure Pass ]\ncrbug.com/1257251 [ Linux ] compositing/reflections/nested-reflection-transformed2.html [ Failure Pass ]\ncrbug.com/1257251 [ Linux ] css3/blending/effect-background-blend-mode-stacking.html [ Failure Pass ]\n\n# Other devtools flaky tests outside of http/tests/inspector-protocol/network.\ncrbug.com/1228261 http/tests/devtools/console/console-context-selector.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/browser-grant-permissions.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/network-fetch-content-with-error-status-code.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/fetch/request-paused-network-id-cors.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/service-worker/network-extrainfo-subresource.js [ Crash Failure Pass Skip Timeout ]\ncrbug.com/1228261 http/tests/inspector-protocol/service-worker/network-get-request-body-blob.js [ Crash Failure Pass Skip Timeout ]\n\n# Flakes that might be caused or aggravated by PlzServiceWorker\ncrbug.com/996511 external/wpt/service-workers/cache-storage/frame/cache-abort.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/996511 external/wpt/service-workers/cache-storage/window/cache-abort.https.html [ Crash Failure Pass ]\ncrbug.com/996511 external/wpt/service-workers/service-worker/getregistrations.https.html [ Crash Failure Pass Timeout ]\ncrbug.com/996511 http/tests/inspector-protocol/fetch/fetch-cors-preflight-sw.js [ Crash Failure Pass Timeout ]\n\n# Expected to time out, but NOT crash.\ncrbug.com/1218540 storage/shared_storage/unimplemented-worklet-operations.html [ Crash Timeout ]\n\n# Sheriff 2021-07-14\ncrbug.com/1229039 [ Linux ] external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Pass Skip Timeout ]\ncrbug.com/1229039 [ Mac ] external/wpt/webrtc/RTCDTMFSender-ontonechange.https.html [ Pass Skip Timeout ]\n\n# Test fails due to more accurate size reporting in heap snapshots.\ncrbug.com/1229212 inspector-protocol/heap-profiler/heap-samples-in-snapshot.js [ Failure ]\n\n# Sheriff 2021-07-15\ncrbug.com/1229666 external/wpt/html/semantics/forms/form-submission-0/urlencoded2.window.html [ Pass Timeout ]\ncrbug.com/1093027 http/tests/credentialmanager/credentialscontainer-create-with-virtual-authenticator.html [ Crash Failure Pass Skip Timeout ]\n# The next test was originally skipped on mac for lack of support (crbug.com/613672). It is now skipped everywhere due to flakiness.\ncrbug.com/1229708 fast/events/pointerevents/pointer-event-in-slop-region.html [ Skip ]\ncrbug.com/1229725 http/tests/devtools/sources/debugger-pause/pause-on-elements-panel.js [ Crash Failure Pass ]\ncrbug.com/1085647 external/wpt/pointerevents/compat/pointerevent_mouse-pointer-preventdefault.html [ Pass Timeout ]\ncrbug.com/1087232 http/tests/devtools/network/network-worker-fetch-blocked.js [ Failure Pass ]\ncrbug.com/1229801 http/tests/devtools/elements/css-rule-hover-highlights-selectors.js [ Failure Pass ]\ncrbug.com/1229802 fast/events/pointerevents/multi-touch-events.html [ Failure Pass ]\ncrbug.com/1181886 external/wpt/pointerevents/pointerevent_movementxy.html?* [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-21\ncrbug.com/1231431 virtual/plz-dedicated-worker/external/wpt/html/cross-origin-embedder-policy/reporting-to-endpoint.https.html [ Failure ]\n\n# Sheriff 2021-07-22\ncrbug.com/1222097 [ Mac ] external/wpt/html/semantics/embedded-content/media-elements/track/track-element/track-cues-sorted-before-dispatch.html [ Failure Pass ]\ncrbug.com/1231915 [ Mac10.12 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Pass Timeout ]\ncrbug.com/1231989 [ Linux ] external/wpt/html/cross-origin-embedder-policy/shared-workers.https.html [ Failure Pass ]\n\n# Sheriff 2021-07-23\ncrbug.com/1232388 [ Mac10.12 ] external/wpt/html/rendering/non-replaced-elements/hidden-elements.html [ Failure Pass ]\ncrbug.com/1232417 external/wpt/mediacapture-insertable-streams/MediaStreamTrackGenerator-video.https.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-07-26\ncrbug.com/1232867 [ Mac10.12 ] fast/inline-block/contenteditable-baseline.html [ Failure Pass ]\ncrbug.com/1254382 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/background-image-alpha.https.html [ Failure ]\n\n# Sheriff 2021-07-27\ncrbug.com/1233557 [ Mac10.12 ] fast/forms/calendar-picker/date-picker-appearance-zoom150.html [ Failure Pass ]\n\n# Sheriff 2021-07-28\ncrbug.com/1233781 http/tests/serviceworker/window-close-during-registration.html [ Failure Pass ]\ncrbug.com/1234057 external/wpt/css/css-paint-api/no-op-animation.https.html [ Failure Pass ]\ncrbug.com/1234302 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/paint2d-image.https.html [ Crash Failure Pass ]\n\n# Temporarily disabling progress based worklet animation tests.\ncrbug.com/1238130 animations/animationworklet/playback-rate-scroll-timeline-accelerated-property.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-dispose.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-dynamic-update.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-non-compositable.html [ Timeout ]\ncrbug.com/1238130 animations/animationworklet/scroll-timeline-non-scrollable.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/inactive-timeline.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/scroll-timeline-writing-modes.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-creation.https.html [ Failure ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-display-none.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-overflow-hidden.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-root-scroller.https.html [ Timeout ]\ncrbug.com/1238130 external/wpt/animation-worklet/worklet-animation-with-scroll-timeline.https.html [ Timeout ]\n\n# Sheriff 2021-07-29\ncrbug.com/626703 http/tests/security/cross-frame-access-put.html [ Failure Pass ]\n\n# Sheriff 2021-07-30\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-audio+video.https.sub.html [ Failure ]\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-audio.https.sub.html [ Failure ]\ncrbug.com/1234619 external/wpt/screen-capture/permissions-policy-video.https.sub.html [ Failure ]\n\n# Sheriff 2021-08-02\ncrbug.com/1215390 [ Linux ] external/wpt/pointerevents/pointerevent_pointerId_scope.html [ Failure Pass ]\n\n# Sheriff 2021-08/05\ncrbug.com/1230534 external/wpt/webrtc/simulcast/getStats.https.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-08-10\ncrbug.com/1233840 external/wpt/html/cross-origin-opener-policy/historical/coep-navigate-popup-unsafe-inherit.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 external/wpt/webrtc/simulcast/basic.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 external/wpt/webrtc/simulcast/setParameters-active.https.html [ Failure Pass Skip Timeout ]\n\n# Sheriff 2021-08-12\ncrbug.com/1237640 http/tests/inspector-protocol/network/disabled-cache-navigation.js [ Pass Timeout ]\ncrbug.com/1239175 http/tests/navigation/same-and-different-back.html [ Failure Pass ]\ncrbug.com/1239164 http/tests/inspector-protocol/network/navigate-iframe-in2in.js [ Failure Pass ]\ncrbug.com/1237909 external/wpt/webrtc-svc/RTCRtpParameters-scalability.html [ Crash Failure Pass Timeout ]\ncrbug.com/1239161 external/wpt/html/semantics/links/links-created-by-a-and-area-elements/htmlanchorelement_noopener.html [ Failure Pass ]\ncrbug.com/1239139 virtual/prerender/wpt_internal/prerender/restriction-prompt-by-before-unload.html [ Crash Pass ]\n\n# Sheriff 2021-08-19\ncrbug.com/1234315 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-overflow-hidden.https.html [ Failure Timeout ]\n\n# Sheriff 2021-08-20\ncrbug.com/1241778 [ Mac10.13 ] virtual/web-bluetooth-new-permissions-backend/wpt_internal/bluetooth/requestDevice/filter-does-not-match.https.html [ Pass Timeout ]\ncrbug.com/1194498 http/tests/misc/iframe-script-modify-attr.html [ Crash Failure Pass Timeout ]\n\n# Sheriff 2021-08-23\ncrbug.com/1242243 external/wpt/css/css-paint-api/parse-input-arguments-018.https.html [ Crash Failure Pass ]\ncrbug.com/1242243 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/parse-input-arguments-018.https.html [ Crash Failure Pass ]\n\n# Sheriff 2021-08-24\ncrbug.com/1244896 [ Mac ] fast/mediacapturefromelement/CanvasCaptureMediaStream-set-size-too-large.html [ Pass Timeout ]\n\n# Sheriff 2021-08-25\ncrbug.com/1243128 [ Win ] external/wpt/web-share/disabled-by-permissions-policy.https.sub.html [ Failure ]\n\n# Sheriff 2021-08-26\ncrbug.com/1243707 [ Debug Linux ] http/tests/inspector-protocol/target/auto-attach-related-sw.js [ Crash Pass ]\n\n# Sheriff 2021-08-26\ncrbug.com/1243933 [ Win7 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/elements/accessibility/edit-aria-attributes.js [ Failure ]\n\n# Sheriff 2021-09-03\ncrbug.com/1246238 http/tests/devtools/security/mixed-content-sidebar.js [ Failure Pass ]\ncrbug.com/1246238 http/tests/devtools/security/interstitial-sidebar.js [ Failure Pass ]\ncrbug.com/1246351 http/tests/misc/scroll-cross-origin-iframes-scrollbar.html [ Failure Pass Timeout ]\n\n# Sheriff 2021-09-06\n# All of these suffer from the same problem of of a\n# DCHECK(!snapshot.drawsNothing()) failing on Macs:\n# Also reported as failing via crbug.com/1233766\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-scroll-timeline-and-display-none.https.html [ Crash Failure Pass Timeout ]\n# Previously reported as failing via crbug.com/626703:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-set-keyframes.https.html [ Crash Failure Pass ]\n# Previously reported as fialing via crbug.com/626703:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-immediately.https.html [ Crash Failure Pass ]\n# Also reported as failing via crbug.com/1233766:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-set-timing.https.html [ Crash Failure Pass ]\n# Previously reported as failing via crbug.com/1233766 on Mac11:\n# Previously reported as failing via crbug.com/626703 on Mac10.15:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-null-2.https.html [ Crash Failure Pass ]\n# Also reported as failing via crbug.com/1233766:\ncrbug.com/1233826 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-cancel.https.html [ Crash Failure Pass ]\ncrbug.com/1250666 virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/overdraw.https.html [ Pass Timeout ]\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/invalid-image-paint-error.https.html [ Pass Timeout ]\n# Previously reported as failing via crbug.com/626703:\ncrbug.com/1236558 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/no-op-animation.https.html [ Crash Failure Pass ]\ncrbug.com/1233766 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-before-start.https.html [ Crash Failure Pass ]\ncrbug.com/1233766 [ Mac ] virtual/threaded/external/wpt/animation-worklet/worklet-animation-get-timing-on-worklet-thread.https.html [ Crash Failure Pass ]\n\n# Temporarily disable to fix DevTools issue reporting\ncrbug.com/1241860 http/tests/inspector-protocol/issues/content-security-policy-issue-trusted-types-exception.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/content-security-policy-issue-trusted-types-policy-exception.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/cors-issues.js [ Skip ]\ncrbug.com/1241860 http/tests/inspector-protocol/issues/renderer-cors-issues.js [ Skip ]\n\n# [CompositeClipPathAnimations] failing test\ncrbug.com/1249071 virtual/composite-clip-path-animation/external/wpt/css/css-masking/clip-path/animations/clip-path-animation-filter.html [ Crash Failure Pass ]\n\n# Sheriff 2021-09-08\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/valid-image-before-load.https.html [ Pass Timeout ]\ncrbug.com/1250666 [ Mac ] virtual/off-main-thread-css-paint/external/wpt/css/css-paint-api/valid-image-after-load.https.html [ Pass Timeout ]\n\n# Sheriff 2021-09-13\ncrbug.com/1229701 [ Linux ] http/tests/inspector-protocol/network/disable-cache-media-resource.js [ Failure Pass Timeout ]\n\n# WebRTC simulcast tests contineue to be flaky\ncrbug.com/1230534 [ Win ] external/wpt/webrtc/simulcast/vp8.https.html [ Pass Skip Timeout ]\ncrbug.com/1230534 [ Win ] external/wpt/webrtc/simulcast/h264.https.html [ Pass Skip Timeout ]\n\n# Following tests fail on mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/svg/extensibility/foreignObject/foreign-object-scale-scroll.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-lists/counter-reset-reversed-list-item.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/density-size-correction/image-set-003.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-content/quotes-006.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-content/quotes-020.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] css3/blending/svg-blend-exclusion.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] css3/blending/svg-blend-multiply.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/canvas/element/manual/drawing-images-to-the-canvas/image-orientation/drawImage-from-blob.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/largest-contentful-paint/image-src-change.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/service-workers/service-worker/clients-matchall-order.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/images/document-policy-oversized-images-forced-layout.php [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] transforms/transformed-document-element.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/element/manual/drawing-images-to-the-canvas/image-orientation/drawImage-from-blob.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/service-workers/service-worker/clients-matchall-order.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/console-timeline.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/threaded/http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/threaded/http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/codec-tests/webm/webm-decode.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/AudioBufferSource/audiobuffersource-detune-modulation.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/AudioBufferSource/audiobuffersource-playbackrate-modulation.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/Analyser/realtimeanalyser-freq-data.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] webaudio/Oscillator/no-dezippering.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/RTCPeerConnection-restartIce.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/offsetparent-old-behavior/external/wpt/shadow-dom/accesskey.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/plz-dedicated-worker/external/wpt/workers/interfaces/WorkerUtils/importScripts/blob-url.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/other/editing-around-select-element.tentative_insertText.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/run/delete_6001-last.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/editing/run/forwarddelete_6001-last.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/semantics/embedded-content/media-elements/interfaces/TextTrackCue/endTime.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webaudio/the-audio-api/the-convolvernode-interface/realtime-conv.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/shadow-dom/accesskey.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/service-workers/idlharness.https.any.worker.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/web-share/disabled-by-feature-policy.https.sub.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/dom/xslt/transformToFragment.tentative.window.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webvtt/api/VTTCue/constructor.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/content-security-policy/securitypolicyviolation/source-file-data-scheme.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/script-metadata-transform.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/sframe-keys.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/script-write-twice-transform.https.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/selection/textcontrols/selectionchange.tentative.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/constructor/002_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.worker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/basic-auth.any.sharedworker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/readyState/003_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/close/close-nested_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/interfaces/WebSocket/close/close-connecting_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/Create-protocols-repeated-case-insensitive.any_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/unload-a-document/002_wss.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.serviceworker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/websockets/stream/tentative/backpressure-send.any.worker_wpt_flags=h2.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/color/color-picker-escape-cancellation-revert.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/css/focus-display-block-inline.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/dom/geometry-interfaces-dom-matrix-rotate.html [ Failure ]\n\n# Following tests timeout on mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-deep-same-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-different-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/focus/focus-already-focused-iframe-same-site.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-mouseup.html [ Failure Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/selection/textcontrols/selectionchange-bubble.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-paint/paint-profiler-update.js [ Failure Skip Timeout ]\n\n# Flaky tests in mac11-arm64\ncrbug.com/1249176 [ Mac11-arm64 ] transforms/3d/general/cssmatrix-3d-zoom.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/images/document-policy-lossy-images-max-bpp.php [ Failure Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc-encoded-transform/RTCPeerConnection-insertable-streams-simulcast.https.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/plaintext-mode-2.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-canvas.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/jpeg-with-color-profile.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-repeat.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-shape.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/console/console-time.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/console-timeline.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/timeline-layout.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/2-comp.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-time/timeline-usertiming.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/resource-timing/nested-context-navigations-embed.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/block/float/float-on-clean-line-subsequently-dirtied.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-js/timeline-microtasks.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/intersection-observer/cross-origin-iframe-with-nesting.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/controls/overflow-menu-always-visible.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/markers/document-markers-font-8px.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/markers/document-markers-zoom-2000.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-layout/timeline-layout-reason.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/resource-timing/nested-context-navigations-object.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webvtt/rendering/cues-with-video/processing-model/audio_has_no_subtitles.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/preload/without_doc_write_evaluator.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/elements/accessibility/edit-aria-attributes.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/overlay/overlay-persistent-overlays-with-emulation.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scroll-unification/plugins/multiple-plugins.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/layers/clip-rects-transformed-2.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/browsers/browsing-the-web/navigating-across-documents/replace-before-load/location-setter-user-click.html [ Failure Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/page-frames.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/timeline/user-timing.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/frame-model-instrumentation.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/layout-fonts/lang-fallback.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-position/fixed-z-index-blend.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/profiler/live-line-level-heap-profile.js [ Pass Skip Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] images/color-profile-background-image-space.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/devtools/tracing/timeline-paint/update-layer-tree.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-clip.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/page/set-font-families.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/mediastream/mediastreamtrackprocessor-transfer-to-worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/text-autosizing/wide-iframe.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/layout-instability/recent-input.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-background-image-cover.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/performance/perf-metrics.js [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/event-timing/event-retarget.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/mimesniff/media/media-sniff.window.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audio-decoder.crossOriginIsolated.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audio-decoder.crossOriginIsolated.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.html?adts_aac [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.html?mp4_aac [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/video-decoder.crossOriginIsolated.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/video-decoder.crossOriginIsolated.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.html?h264_annexb [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.html?h264_avc [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/RTCRtpTransceiver-setCodecPreferences.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/protocol/video-codecs.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webrtc/simulcast/h264.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/mediarecorder/MediaRecorder-ignores-oversize-frames-h264.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/prerender/wpt_internal/prerender/restriction-encrypted-media.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/video-codecs.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/annexb_decoding.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/annexb_decoding.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/avc_encoder_config.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/avc_encoder_config.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/basic_video_encoding.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/basic_video_encoding.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/temporal_svc.https.any.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] wpt_internal/webcodecs/temporal_svc.https.any.worker.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/simulcast/h264.https.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.worker.html?adts_aac [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/audioDecoder-codec-specific.https.any.worker.html?mp4_aac [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.worker.html?h264_annexb [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/webcodecs/videoDecoder-codec-specific.https.any.worker.html?h264_avc [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/12-55.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/file/recover-file-input-in-unposted-form.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-015.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-003.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-014.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-filter-all.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scalefactor200withoutzoom/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scalefactor200/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/multiple-redirects-TAO.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/webrtc-wpt-plan-b/external/wpt/webrtc/protocol/split.https.html [ Pass Timeout ]\n\n# mac-arm CI 10-01-2021\ncrbug.com/1249176 [ Mac11-arm64 ] editing/text-iterator/beforematch-async.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/event-timing/click-interactionid.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/webappapis/update-rendering/child-document-raf-order.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/idle-detection/interceptor.https.html [ Pass Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/opened-document-security-origin-resets-on-navigation.html [ Timeout ]\ncrbug.com/1249176 [ Mac11-arm64 ] inspector-protocol/runtime/runtime-install-binding.js [ Failure Pass ]\n\n# mac-arm CI 10-05-2021\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-image-object-fit.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-alloc-direct-call/fast/canvas/canvas-lost-gpu-context.html [ Failure ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/color-profile-svg.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/gpu-rasterization/images/directly-composited-image-orientation.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/scroll-unification/plugins/focus-change-1-no-change.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] plugins/plugin-remove-subframe.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/replaced/no-focus-ring-object.html [ Failure Pass ]\n\ncrbug.com/1249176 [ Mac11-arm64 ] editing/selection/find-in-text-control.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-min-max-attribute.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] fast/forms/suggestion-picker/time-suggestion-picker-mouse-operations.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/stylesheet-and-script-load-order-http.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/blob/send-sliced-data-blob.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/local/formdata/send-form-data-with-empty-name.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/xss-DENIED-assign-location-hostname.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/picture-in-picture/v2/request-picture-in-picture.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] paint/invalidation/selection/invalidation-rect-includes-newline-for-rtl.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] storage/indexeddb/intversion-revert-on-abort.html [ Crash ]\ncrbug.com/1249176 [ Mac11-arm64 ] svg/animations/animate-setcurrenttime.html [ Crash ]\n\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-011.html [ Crash Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/css/css-shapes/shape-outside/shape-image/shape-image-018.html [ Failure Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] external/wpt/xhr/send-no-response-event-loadend.htm [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/inspector-protocol/network/blocked-cookie-same-site-strict.js [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/inspector-protocol/network/xhr-post-replay-cors.js [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/cross-origin-shared-worker-allowed.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] http/tests/security/cors-rfc1918/internal-to-internal-xhr.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/autoplay/webaudio-audio-context-init.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] media/picture-in-picture/v2/detached-iframe.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/composite-relative-keyframes/external/wpt/css/css-transforms/animation/transform-interpolation-005.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/no-auto-wpt-origin-isolation/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/2-iframes/parent-no-child1-yes-subdomain-child2-no-port.sub.https.html [ Crash Pass ]\ncrbug.com/1249176 [ Mac11-arm64 ] virtual/not-site-per-process/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/iframe-navigation/parent-no-1-no-same-2-yes-port.sub.https.html [ Crash Pass ]\n\n# Sheriff 2021-09-16\ncrbug.com/1250457 [ Win7 ] http/tests/devtools/sources/debugger-ui/script-formatter-breakpoints-3.js [ Failure ]\ncrbug.com/1250457 [ Mac ] virtual/scroll-unification/plugins/plugin-map-data-to-src.html [ Failure ]\ncrbug.com/1250457 [ Mac ] storage/websql/open-database-set-empty-version.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/not-site-per-process/external/wpt/html/browsers/origin/origin-keyed-agent-clusters/1-iframe/parent-no-child-yes-same.sub.https.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/plz-dedicated-worker-cors-rfc1918/http/tests/security/cors-rfc1918/external-to-internal-xhr.php [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/portals/http/tests/devtools/portals/portals-console.js [ Skip Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/prefer_compositing_to_lcd_text/scrollbars/custom-scrollbar-inactive-pseudo.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/prerender/wpt_internal/prerender/csp-prefetch-src-allow.html [ Skip Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/reporting-api/external/wpt/content-security-policy/reporting-api/reporting-api-report-to-only-sends-reports-to-first-endpoint.https.sub.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/scalefactor200/css3/filters/filter-animation-multi-hw.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/scroll-unification/fast/events/space-scroll-textinput-canceled.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/shared_array_buffer_on_desktop/fast/css/text-overflow-ellipsis-bidi.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] virtual/shared_array_buffer_on_desktop/storage/indexeddb/keypath-arrays.html [ Timeout ]\ncrbug.com/1250457 [ Mac ] external/wpt/html/syntax/speculative-parsing/generated/document-write/meta-viewport-link-stylesheet-media.tentative.sub.html [ Failure ]\n\ncrbug.com/1249622 external/wpt/largest-contentful-paint/initially-invisible-images.html [ Failure ]\ncrbug.com/1249622 virtual/initially-invisible-images-lcp/external/wpt/largest-contentful-paint/initially-invisible-images.html [ Pass ]\ncrbug.com/959296 external/wpt/largest-contentful-paint/observe-svg-background-image.html [ Failure ]\ncrbug.com/959296 virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/observe-svg-background-image.html [ Pass ]\ncrbug.com/959296 external/wpt/largest-contentful-paint/observe-svg-data-uri-background-image.html [ Failure ]\ncrbug.com/959296 virtual/background-svg-in-lcp/external/wpt/largest-contentful-paint/observe-svg-data-uri-background-image.html [ Pass ]\n\n# FileSystemHandle::move() is temporarily disabled outside of the Origin Private File System\ncrbug.com/1247850 external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 external/wpt/file-system-access/local_FileSystemFileHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Fuchsia ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Linux ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.12 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.13 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.14 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac10.15 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Mac11 ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 [ Win ] virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-move-manual.https.html [ Failure ]\ncrbug.com/1247850 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemFileHandle-rename-manual.https.html [ Failure ]\n# FileSystemHandle::move() is temporarily disabled for directory handles\ncrbug.com/1250534 external/wpt/file-system-access/local_FileSystemDirectoryHandle-move-manual.https.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/local_FileSystemDirectoryHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.worker.html [ Failure ]\ncrbug.com/1250534 external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.worker.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemDirectoryHandle-move-manual.https.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/local_FileSystemDirectoryHandle-rename-manual.https.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-move.https.any.worker.html [ Failure ]\ncrbug.com/1250534 virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemDirectoryHandle-rename.https.any.worker.html [ Failure ]\n\n# Sheriff 2021-09-23\ncrbug.com/1164568 [ Mac10.12 ] external/wpt/html/cross-origin-opener-policy/reporting/navigation-reporting/reporting-popup-same-origin-allow-popups-report-to.https.html [ Failure ]\ncrbug.com/1164568 [ Mac10.13 ] external/wpt/html/cross-origin-opener-policy/reporting/navigation-reporting/reporting-popup-same-origin-allow-popups-report-to.https.html [ Failure ]\n\n# Sheriff 2021-09-27\n# Revisit once crbug.com/1123886 is addressed.\n# Likely has the same root cause for crashes.\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-start-delay.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-start-delay.https.html [ Skip ]\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-with-non-ascii-name.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-with-non-ascii-name.https.html [ Skip ]\ncrbug.com/1233826 external/wpt/animation-worklet/worklet-animation-local-time-after-duration.https.html [ Skip ]\ncrbug.com/1233826 virtual/threaded/external/wpt/animation-worklet/worklet-animation-local-time-after-duration.https.html [ Skip ]\ncrbug.com/930462 external/wpt/animation-worklet/worklet-animation-pause-resume.https.html [ Skip ]\ncrbug.com/930462 virtual/threaded/external/wpt/animation-worklet/worklet-animation-pause-resume.https.html [ Skip ]\n\n# Sheriff 2021-09-29\ncrbug.com/1254163 [ Mac ] virtual/scroll-unification/ietestcenter/css3/bordersbackgrounds/background-attachment-local-scrolling.htm [ Failure ]\n\n# Sheriff 2021-10-01\ncrbug.com/1255014 [ Linux ] virtual/scroll-unification-overlay-scrollbar/plugin-overlay-scrollbar-mouse-capture.html [ Failure Pass ]\ncrbug.com/1254963 [ Win ] external/wpt/mathml/presentation-markup/mrow/inferred-mrow-stretchy.html [ Crash Pass ]\ncrbug.com/1255221 http/tests/devtools/elements/styles-4/svg-style.js [ Failure Pass ]\n\n# Sheriff 2021-10-04\ncrbug.com/1226112 [ Win ] http/tests/text-autosizing/wide-iframe.html [ Pass Timeout ]\n\n# Temporarily disable to land DevTools changes\ncrbug.com/1260776 http/tests/devtools/console-xhr-logging.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/network/script-as-text-loading-long-url.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/network/script-as-text-loading-with-caret.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/sources/debugger/async-callstack-network-initiator.js [ Failure Pass ]\ncrbug.com/1260776 http/tests/devtools/console-resource-errors.js [ Failure Pass ]\n\n# DevTools roll\ncrbug.com/1222126 http/tests/devtools/domdebugger/domdebugger-getEventListeners.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/cache-storage/cache-live-update-list.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/runtime/evaluate-timeout.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/resource-har-headers.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/resource-har-conversion.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/network/network-choose-preview-view.js [ Skip ]\ncrbug.com/1222126 http/tests/devtools/network/json-preview.js [ Skip ]\ncrbug.com/1215072 http/tests/devtools/elements/copy-styles.js [ Skip ]\n\n# Skip devtools test hitting an unexpected tracing infrastructure exception 2021-10-04\ncrbug.com/1255679 http/tests/devtools/service-workers/service-workers-wasm-test.js [ Skip ]\n\n# Sheriff 2021-10-05\ncrbug.com/1256755 http/tests/xmlhttprequest/cross-origin-unsupported-url.html [ Failure Pass ]\ncrbug.com/1256770 [ Mac ] svg/dynamic-updates/SVGFEComponentTransferElement-dom-intercept-attr.html [ Failure Pass ]\ncrbug.com/1256763 [ Win ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Mac ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] virtual/exotic-color-space/images/color-profile-svg-fill-text.html [ Failure Pass ]\n\n# Disabled to allow devtools-frontend roll\ncrbug.com/1258618 virtual/portals/http/tests/devtools/portals/portals-elements-nesting-after-adoption.js [ Skip ]\n\n# Sheriff 2021-10-06\ncrbug.com/1257298 svg/dynamic-updates/SVGFEComponentTransferElement-dom-tableValues-attr.html [ Failure Pass ]\n\n# Sheriff 2021-10-07\ncrbug.com/1257570 [ Win7 ] fast/dom/vertical-scrollbar-in-rtl.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-animate-rotate.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-cover.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-repeat.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-background-image-space.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-clip.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-filter-all.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-image-shape.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-object.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/color-profile-svg.html [ Failure Pass ]\ncrbug.com/crbug.com/1256763 [ Win7 ] virtual/gpu-rasterization/images/jpeg-with-color-profile.html [ Failure Pass ]\n\n# Sheriff 2021-10-12\ncrbug.com/1259133 [ Mac10.14 ] external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1259133 [ Mac10.14 ] virtual/no-alloc-direct-call/external/wpt/html/canvas/offscreen/manual/the-offscreen-canvas/offscreencanvas.commit.html [ Failure Pass ]\ncrbug.com/1259188 [ Mac10.14 ] virtual/gpu-rasterization/images/color-profile-animate.html [ Failure Pass ]\ncrbug.com/1197465 [ Win7 ] virtual/scroll-unification/fast/events/mouse-cursor-no-mousemove.html [ Failure Pass ]\ncrbug.com/1259277 [ Debug Linux ] virtual/scroll-unification/fast/events/message-port-multi.html [ Failure Pass ]\n\n# Sheriff 2021-10-13\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.html [ Failure Pass ]\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.serviceworker.html [ Failure Pass ]\ncrbug.com/1259652 [ Mac10.13 ] external/wpt/streams/readable-streams/tee.any.sharedworker.html [ Failure Pass ]\n\n# Data URL navigation within Fenced Frames currently crashed in the MPArch implementation.\ncrbug.com/1243568 virtual/fenced-frame-mparch/wpt_internal/fenced_frame/window-data-url-navigation.html [ Crash ]\n\n# Sheriff 2021-10-15\ncrbug.com/1256763 [ Linux ] virtual/gpu-rasterization/images/color-profile-image-pseudo-content.html [ Failure Pass ]\ncrbug.com/1260393 [ Mac ] virtual/oopr-canvas2d/fast/canvas/color-space/canvas-createImageBitmap-p3.html [ Failure Pass ]\n\n# Sheriff 2021-10-19\ncrbug.com/1256763 [ Linux ] images/color-profile-background-image-cross-fade.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] images/color-profile-background-clip-text.html [ Failure Pass ]\ncrbug.com/1256763 [ Linux ] virtual/gpu-rasterization/images/color-profile-svg-fill-text.html [ Failure Pass ]\ncrbug.com/1259277 [ Mac ] fast/events/message-port-multi.html [ Failure Pass ]\n\n# Sheriff 2021-10-20\ncrbug.com/1261770 crbug.com/1245166 [ Linux ] external/wpt/web-bundle/subresource-loading/script-relative-url-in-web-bundle-cors.https.tentative.sub.html [ Failure Pass ]\ncrbug.com/1261770 crbug.com/1245166 [ Linux ] virtual/wbn-from-network/external/wpt/web-bundle/subresource-loading/script-relative-url-in-web-bundle-cors.https.tentative.sub.html [ Failure Pass ]\n\n# Sheriff 2021-10-26\ncrbug.com/1263349 [ Linux ] external/wpt/resource-timing/object-not-found-after-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-navigation.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-subresource-corp.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-endpoint.https.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-frame-owner.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/reporting-to-worker-owner.html [ Failure Pass ]\ncrbug.com/1249043 external/wpt/html/cross-origin-embedder-policy/report-only-require-corp.https.html [ Failure Pass ]\ncrbug.com/1263732 http/tests/devtools/tracing/timeline-paint/timeline-paint-image.js [ Failure Pass ]\n\n# Sheriff 2021-10-29\ncrbug.com/1264670 [ Linux ] http/tests/devtools/resource-tree/resource-tree-frame-add.js [ Failure Pass ]\ncrbug.com/1264753 [ Mac10.12 ] external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.13 ] external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.12 ] virtual/plz-dedicated-worker/external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264753 [ Mac10.13 ] virtual/plz-dedicated-worker/external/wpt/referrer-policy/gen/srcdoc.meta/strict-origin/iframe-tag.http.html [ Failure ]\ncrbug.com/1264775 [ Mac11-arm64 ] external/wpt/webrtc-stats/supported-stats.html [ Failure ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/date-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/month-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264802 [ Win7 ] fast/forms/suggestion-picker/datetimelocal-suggestion-picker-appearance.html [ Failure Pass ]\ncrbug.com/1264775 [ Mac10.14 ] external/wpt/webrtc-stats/supported-stats.html [ Failure ]\n\n# Sheriff 2021-11-02\ncrbug.com/1265924 [ Fuchsia ] synthetic_gestures/smooth-scroll-tiny-delta.html [ Failure Pass ]\n\n# V8 roll\ncrbug.com/1257806 http/tests/devtools/console/console-external-array.js [ Skip ]\ncrbug.com/1257806 http/tests/devtools/console/console-log-side-effects.js [ Skip ]\n\n# TODO(https://crbug.com/1265311): Make the test behave the same way on all platforms\ncrbug.com/1265311 http/tests/navigation/location-change-repeated-from-blank.html [ Failure Pass ]\n\n# Sheriff 2021-11-03\ncrbug.com/1266199 [ Mac10.12 ] fast/css3-text/css3-text-decoration/text-decoration-style-wavy-font-size.html [ Failure Pass ]\ncrbug.com/1266221 [ Mac11-arm64 ] virtual/fsa-incognito/external/wpt/file-system-access/sandboxed_FileSystemFileHandle-create-sync-access-handle.https.tentative.window.html [ Failure Pass ]\ncrbug.com/1263354 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-adds-entry.html [ Failure Pass Timeout ]\n\ncrbug.com/1267076 wpt_internal/fenced_frame/navigator-keyboard-layout-map.https.html [ Failure ]\n\n# Sheriff 2021-11-08\ncrbug.com/1267734 [ Win7 ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-after-TAO-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1267736 [ Win ] http/tests/devtools/bindings/jssourcemap-bindings-overlapping-sources.js [ Failure Pass ]\n\n# Sheriff 2021-11-09\ncrbug.com/1268259 [ Linux ] images/color-profile-image-canvas-pattern.html [ Failure ]\ncrbug.com/1268265 [ Mac10.14 ] virtual/prerender/external/wpt/speculation-rules/prerender/local-storage.html [ Failure ]\ncrbug.com/1268439 virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Skip ]\ncrbug.com/1268439 [ Win10.20h2 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1268518 [ Linux ] external/wpt/web-animations/interfaces/Animation/onfinish.html [ Failure Pass ]\ncrbug.com/1268518 [ Mac10.12 ] external/wpt/web-animations/interfaces/Animation/onfinish.html [ Failure Pass ]\ncrbug.com/1268519 [ Win10.20h2 ] virtual/scroll-unification/http/tests/misc/resource-timing-sizes-multipart.html [ Failure Pass ]\ncrbug.com/1267734 [ Win7 ] css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1267734 [ Win7 ] virtual/scroll-unification/fast/forms/suggestion-picker/week-suggestion-picker-appearance.html [ Failure Pass ]\n\n# Sheriff 2021-11-10\ncrbug.com/1268931 [ Win10.20h2 ] css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1268963 [ Linux ] virtual/plz-dedicated-worker/external/wpt/resource-timing/object-not-found-after-TAO-cross-origin-redirect.html [ Failure Pass ]\ncrbug.com/1268947 [ Linux ] virtual/shared_array_buffer_on_desktop/http/tests/devtools/sources/debugger/async-callstack-network-initiator.js [ Failure Pass ]\ncrbug.com/1269011 [ Mac10.14 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\ncrbug.com/1269011 [ Mac11-arm64 ] virtual/scalefactor200/css3/filters/composited-layer-bounds-after-sw-blur-animation.html [ Failure Pass ]\n" + } +} \ No newline at end of file diff --git a/tools/disable_tests/tests/gtest-add-extra-condition.json b/tools/disable_tests/tests/gtest-add-extra-condition.json new file mode 100644 index 0000000000000..2d83ca072e70a --- /dev/null +++ b/tools/disable_tests/tests/gtest-add-extra-condition.json @@ -0,0 +1,14 @@ +{ + "args": [ + "./disable", + "EmbeddedTestServerTest.ConnectionListenerComplete", + "linux" + ], + "requests": "{\"GetTestResultHistory/{\\\"realm\\\": \\\"chromium:ci\\\", \\\"testIdRegexp\\\": \\\"ninja://.*/EmbeddedTestServerTest.ConnectionListenerComplete(/.*)?\\\", \\\"pageSize\\\": 1}\": \"{\\\"entries\\\":[{\\\"invocationTimestamp\\\":\\\"2021-11-12T04:08:24.036092Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b08d44e0f1f11/tests/ninja:%2F%2Fnet:net_unittests%2FEmbeddedTestServerTest.ConnectionListenerComplete%2FEmbeddedTestServerTestInstantiation.0/results/4da3b2fd-01064\\\",\\\"testId\\\":\\\"ninja://net:net_unittests/EmbeddedTestServerTest.ConnectionListenerComplete/EmbeddedTestServerTestInstantiation.0\\\",\\\"resultId\\\":\\\"4da3b2fd-01064\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux TSan Tests\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"net_unittests\\\"}},\\\"status\\\":\\\"FAIL\\\",\\\"duration\\\":\\\"20.027s\\\",\\\"variantHash\\\":\\\"831e8341176b94de\\\"}}],\\\"nextPageToken\\\":\\\"CgJ0cwoWMDhiOGQxYjc4YzA2MTBlMGYwOWExMQoBMQ==\\\"}\\n\", \"GetTestResult/{\\\"name\\\": \\\"invocations/task-chromium-swarm.appspot.com-572b08d44e0f1f11/tests/ninja:%2F%2Fnet:net_unittests%2FEmbeddedTestServerTest.ConnectionListenerComplete%2FEmbeddedTestServerTestInstantiation.0/results/4da3b2fd-01064\\\"}\": \"{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b08d44e0f1f11/tests/ninja:%2F%2Fnet:net_unittests%2FEmbeddedTestServerTest.ConnectionListenerComplete%2FEmbeddedTestServerTestInstantiation.0/results/4da3b2fd-01064\\\",\\\"testId\\\":\\\"ninja://net:net_unittests/EmbeddedTestServerTest.ConnectionListenerComplete/EmbeddedTestServerTestInstantiation.0\\\",\\\"resultId\\\":\\\"4da3b2fd-01064\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux TSan Tests\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"net_unittests\\\"}},\\\"status\\\":\\\"FAIL\\\",\\\"summaryHtml\\\":\\\"\\\\u003cp\\\\u003e\\\\u003ctext-artifact artifact-id=\\\\\\\"snippet\\\\\\\" /\\\\u003e\\\\u003c/p\\\\u003e\\\",\\\"duration\\\":\\\"20.027s\\\",\\\"tags\\\":[{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"CPU_64_BITS\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"MODE_RELEASE\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_LINUX\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_POSIX\\\"},{\\\"key\\\":\\\"gtest_status\\\",\\\"value\\\":\\\"FAILURE\\\"},{\\\"key\\\":\\\"lossless_snippet\\\",\\\"value\\\":\\\"true\\\"},{\\\"key\\\":\\\"orig_format\\\",\\\"value\\\":\\\"chromium_gtest\\\"},{\\\"key\\\":\\\"step_name\\\",\\\"value\\\":\\\"net_unittests on Ubuntu-18.04\\\"},{\\\"key\\\":\\\"test_name\\\",\\\"value\\\":\\\"EmbeddedTestServerTestInstantiation/EmbeddedTestServerTest.ConnectionListenerComplete/0\\\"}],\\\"variantHash\\\":\\\"831e8341176b94de\\\",\\\"testMetadata\\\":{\\\"name\\\":\\\"EmbeddedTestServerTestInstantiation/EmbeddedTestServerTest.ConnectionListenerComplete/0\\\",\\\"location\\\":{\\\"repo\\\":\\\"https://chromium.googlesource.com/chromium/src\\\",\\\"fileName\\\":\\\"//net/test/embedded_test_server/embedded_test_server_unittest.cc\\\",\\\"line\\\":353}},\\\"failureReason\\\":{\\\"primaryErrorMessage\\\":\\\"Failed\\\\nRunLoop::Run() timed out. Timeout set at TaskEnvironment@base/test/task_environment.cc:379.\\\\n{\\\\\\\"active_queues\\\\\\\":[{\\\\\\\"any_thread_.immediate_incoming_queuecapacity\\\\\\\":4,\\\\\\\"any_thread_.immediate_incoming_queuesize\\\\\\\":0,\\\\\\\"delayed_incoming_queue\\\\\\\":[],\\\\\\\"delayed_incoming_queue_size\\\\\\\":0,\\\\\\\"delayed_work_queue\\\\\\\":[],\\\\\\\"delayed_work_queue_capacity\\\\\\\":4,\\\\\\\"delayed_work_queue_size\\\\\\\":0,\\\\\\\"enabled\\\\\\\":true,\\\\\\\"immediate_incoming_queue\\\\\\\":[],\\\\\\\"immediate_work_queue\\\\\\\":[],\\\\\\\"immediate_work_queue_capacity\\\\\\\":0,\\\\\\\"immediate_work_queue_size\\\\\\\":0,\\\\\\\"name\\\\\\\":\\\\\\\"task_environment_default\\\\\\\",\\\\\\\"priority\\\\\\\":\\\\\\\"normal\\\\\\\",\\\\\\\"task_queue_id\\\\\\\":\\\\\\\"0x7b500000ca00\\\\\\\"}],\\\\\\\"native_work_priority\\\\\\\":\\\\\\\"best_effort\\\\\\\",\\\\\\\"non_waking_wake_up_queue\\\\\\\":{\\\\\\\"name\\\\\\\":\\\\\\\"NonWakingWakeUpQueue\\\\\\\",\\\\\\\"registered_delay_count\\\\\\\":0},\\\\\\\"queues_to_delete\\\\\\\":[],\\\\\\\"queues_to_gracefully_shutdown\\\\\\\":[],\\\\\\\"selector\\\\\\\":{\\\\\\\"immediate_starvation_count\\\\\\\":0},\\\\\\\"time_domain\\\\\\\":{\\\\\\\"name\\\\\\\":\\\\\\\"RealTimeDomain\\\\\\\"},\\\\\\\"wake_up_queue\\\\\\\":{\\\\\\\"name\\\\\\\":\\\\\\\"DefaultWakeUpQueue\\\\\\\",\\\\\\\"registered_delay_count\\\\\\\":0}}\\\"}}\\n\"}", + "read_data": { + "net/test/embedded_test_server/embedded_test_server_unittest.cc": "// Copyright (c) 2012 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"net/test/embedded_test_server/embedded_test_server.h\"\n\n#include <tuple>\n#include <utility>\n\n#include \"base/bind.h\"\n#include \"base/callback_helpers.h\"\n#include \"base/macros.h\"\n#include \"base/memory/weak_ptr.h\"\n#include \"base/message_loop/message_pump_type.h\"\n#include \"base/path_service.h\"\n#include \"base/run_loop.h\"\n#include \"base/strings/stringprintf.h\"\n#include \"base/synchronization/lock.h\"\n#include \"base/task/single_thread_task_executor.h\"\n#include \"base/task/single_thread_task_runner.h\"\n#include \"base/threading/thread.h\"\n#include \"base/threading/thread_task_runner_handle.h\"\n#include \"build/build_config.h\"\n#include \"net/base/test_completion_callback.h\"\n#include \"net/http/http_response_headers.h\"\n#include \"net/log/net_log_source.h\"\n#include \"net/socket/client_socket_factory.h\"\n#include \"net/socket/stream_socket.h\"\n#include \"net/test/embedded_test_server/embedded_test_server_connection_listener.h\"\n#include \"net/test/embedded_test_server/http_request.h\"\n#include \"net/test/embedded_test_server/http_response.h\"\n#include \"net/test/embedded_test_server/request_handler_util.h\"\n#include \"net/test/gtest_util.h\"\n#include \"net/test/test_with_task_environment.h\"\n#include \"net/traffic_annotation/network_traffic_annotation_test_helper.h\"\n#include \"net/url_request/url_request.h\"\n#include \"net/url_request/url_request_test_util.h\"\n#include \"testing/gmock/include/gmock/gmock.h\"\n#include \"testing/gtest/include/gtest/gtest.h\"\n\nusing net::test::IsOk;\n\nnamespace net {\nnamespace test_server {\n\n// Gets notified by the EmbeddedTestServer on incoming connections being\n// accepted, read from, or closed.\nclass TestConnectionListener\n : public net::test_server::EmbeddedTestServerConnectionListener {\n public:\n TestConnectionListener()\n : socket_accepted_count_(0),\n did_read_from_socket_(false),\n did_get_socket_on_complete_(false),\n task_runner_(base::ThreadTaskRunnerHandle::Get()) {}\n\n TestConnectionListener(const TestConnectionListener&) = delete;\n TestConnectionListener& operator=(const TestConnectionListener&) = delete;\n\n ~TestConnectionListener() override = default;\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was accepted.\n std::unique_ptr<StreamSocket> AcceptedSocket(\n std::unique_ptr<StreamSocket> connection) override {\n base::AutoLock lock(lock_);\n ++socket_accepted_count_;\n accept_loop_.Quit();\n return connection;\n }\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was read from.\n void ReadFromSocket(const net::StreamSocket& connection, int rv) override {\n base::AutoLock lock(lock_);\n did_read_from_socket_ = true;\n }\n\n void OnResponseCompletedSuccessfully(\n std::unique_ptr<StreamSocket> socket) override {\n base::AutoLock lock(lock_);\n did_get_socket_on_complete_ = socket && socket->IsConnected();\n complete_loop_.Quit();\n }\n\n void WaitUntilFirstConnectionAccepted() { accept_loop_.Run(); }\n\n void WaitUntilGotSocketFromResponseCompleted() { complete_loop_.Run(); }\n\n size_t SocketAcceptedCount() const {\n base::AutoLock lock(lock_);\n return socket_accepted_count_;\n }\n\n bool DidReadFromSocket() const {\n base::AutoLock lock(lock_);\n return did_read_from_socket_;\n }\n\n bool DidGetSocketOnComplete() const {\n base::AutoLock lock(lock_);\n return did_get_socket_on_complete_;\n }\n\n private:\n size_t socket_accepted_count_;\n bool did_read_from_socket_;\n bool did_get_socket_on_complete_;\n\n base::RunLoop accept_loop_;\n base::RunLoop complete_loop_;\n scoped_refptr<base::SingleThreadTaskRunner> task_runner_;\n\n mutable base::Lock lock_;\n};\n\nstruct EmbeddedTestServerConfig {\n EmbeddedTestServer::Type type;\n HttpConnection::Protocol protocol;\n};\n\nstd::vector<EmbeddedTestServerConfig> EmbeddedTestServerConfigs() {\n return {\n {EmbeddedTestServer::TYPE_HTTP, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp2},\n };\n}\n\nclass EmbeddedTestServerTest\n : public testing::TestWithParam<EmbeddedTestServerConfig>,\n public WithTaskEnvironment {\n public:\n EmbeddedTestServerTest() {}\n\n void SetUp() override {\n server_ = std::make_unique<EmbeddedTestServer>(GetParam().type,\n GetParam().protocol);\n server_->AddDefaultHandlers();\n server_->SetConnectionListener(&connection_listener_);\n }\n\n void TearDown() override {\n if (server_->Started())\n ASSERT_TRUE(server_->ShutdownAndWaitUntilComplete());\n }\n\n // Handles |request| sent to |path| and returns the response per |content|,\n // |content type|, and |code|. Saves the request URL for verification.\n std::unique_ptr<HttpResponse> HandleRequest(const std::string& path,\n const std::string& content,\n const std::string& content_type,\n HttpStatusCode code,\n const HttpRequest& request) {\n request_relative_url_ = request.relative_url;\n request_absolute_url_ = request.GetURL();\n\n if (request_absolute_url_.path() == path) {\n auto http_response = std::make_unique<BasicHttpResponse>();\n http_response->set_code(code);\n http_response->set_content(content);\n http_response->set_content_type(content_type);\n return http_response;\n }\n\n return nullptr;\n }\n\n protected:\n std::string request_relative_url_;\n GURL request_absolute_url_;\n TestURLRequestContext context_;\n TestConnectionListener connection_listener_;\n std::unique_ptr<EmbeddedTestServer> server_;\n base::OnceClosure quit_run_loop_;\n};\n\nTEST_P(EmbeddedTestServerTest, GetBaseURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURLWithHostname) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://foo.com:%d/path?query=foo\",\n server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(\n base::StringPrintf(\"http://foo.com:%d/path?query=foo\", server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, RegisterRequestHandler) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test\",\n \"<b>Worked!</b>\", \"text/html\", HTTP_OK));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<b>Worked!</b>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n\n EXPECT_EQ(\"/test?q=foo\", request_relative_url_);\n EXPECT_EQ(server_->GetURL(\"/test?q=foo\"), request_absolute_url_);\n}\n\nTEST_P(EmbeddedTestServerTest, ServeFilesFromDirectory) {\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, MockHeadersWithoutCRLF) {\n // Messing with raw headers isn't compatible with HTTP/2\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\").AppendASCII(\n \"embedded_test_server\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/mock-headers-without-crlf.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, DefaultNotFoundResponse) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request->response_headers()->response_code());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerAccept) {\n ASSERT_TRUE(server_->Start());\n\n net::AddressList address_list;\n EXPECT_TRUE(server_->GetAddressList(&address_list));\n\n std::unique_ptr<StreamSocket> socket =\n ClientSocketFactory::GetDefaultFactory()->CreateTransportClientSocket(\n address_list, nullptr, nullptr, NetLog::Get(), NetLogSource());\n TestCompletionCallback callback;\n ASSERT_THAT(callback.GetResult(socket->Connect(callback.callback())), IsOk());\n\n connection_listener_.WaitUntilFirstConnectionAccepted();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_FALSE(connection_listener_.DidReadFromSocket());\n EXPECT_FALSE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerRead) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n}\n\n// TODO(http://crbug.com/1166868): Flaky on ChromeOS.\n#if defined(OS_CHROMEOS)\n#define MAYBE_ConnectionListenerComplete DISABLED_ConnectionListenerComplete\n#else\n#define MAYBE_ConnectionListenerComplete ConnectionListenerComplete\n#endif\nTEST_P(EmbeddedTestServerTest, MAYBE_ConnectionListenerComplete) {\n // OnResponseCompletedSuccessfully() makes the assumption that a connection is\n // \"finished\" before the socket is closed, and in the case of HTTP/2 this is\n // not supported\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n // Need to send a Keep-Alive response header since the EmbeddedTestServer only\n // invokes OnResponseCompletedSuccessfully() if the socket is still open, and\n // the network stack will close the socket if not reuable, resulting in\n // potentially racilly closing the socket before\n // OnResponseCompletedSuccessfully() is invoked.\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/set-header?Connection: Keep-Alive\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n\n connection_listener_.WaitUntilGotSocketFromResponseCompleted();\n EXPECT_TRUE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConcurrentFetches) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test1\",\n \"Raspberry chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test2\",\n \"Vanilla chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test3\",\n \"No chocolates\", \"text/plain\", HTTP_NOT_FOUND));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate1;\n std::unique_ptr<URLRequest> request1(\n context_.CreateRequest(server_->GetURL(\"/test1\"), DEFAULT_PRIORITY,\n &delegate1, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate2;\n std::unique_ptr<URLRequest> request2(\n context_.CreateRequest(server_->GetURL(\"/test2\"), DEFAULT_PRIORITY,\n &delegate2, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate3;\n std::unique_ptr<URLRequest> request3(\n context_.CreateRequest(server_->GetURL(\"/test3\"), DEFAULT_PRIORITY,\n &delegate3, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n // Fetch the three URLs concurrently. Have to manually create RunLoops when\n // running multiple requests simultaneously, to avoid the deprecated\n // RunUntilIdle() path.\n base::RunLoop run_loop1;\n base::RunLoop run_loop2;\n base::RunLoop run_loop3;\n delegate1.set_on_complete(run_loop1.QuitClosure());\n delegate2.set_on_complete(run_loop2.QuitClosure());\n delegate3.set_on_complete(run_loop3.QuitClosure());\n request1->Start();\n request2->Start();\n request3->Start();\n run_loop1.Run();\n run_loop2.Run();\n run_loop3.Run();\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request1->response_headers());\n EXPECT_EQ(HTTP_OK, request1->response_headers()->response_code());\n EXPECT_EQ(\"Raspberry chocolate\", delegate1.data_received());\n std::string content_type1;\n ASSERT_TRUE(request1->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type1));\n EXPECT_EQ(\"text/html\", content_type1);\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request2->response_headers());\n EXPECT_EQ(HTTP_OK, request2->response_headers()->response_code());\n EXPECT_EQ(\"Vanilla chocolate\", delegate2.data_received());\n std::string content_type2;\n ASSERT_TRUE(request2->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type2));\n EXPECT_EQ(\"text/html\", content_type2);\n\n EXPECT_EQ(net::OK, delegate3.request_status());\n ASSERT_TRUE(request3->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request3->response_headers()->response_code());\n EXPECT_EQ(\"No chocolates\", delegate3.data_received());\n std::string content_type3;\n ASSERT_TRUE(request3->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type3));\n EXPECT_EQ(\"text/plain\", content_type3);\n}\n\nnamespace {\n\nclass CancelRequestDelegate : public TestDelegate {\n public:\n CancelRequestDelegate() { set_on_complete(base::DoNothing()); }\n\n CancelRequestDelegate(const CancelRequestDelegate&) = delete;\n CancelRequestDelegate& operator=(const CancelRequestDelegate&) = delete;\n\n ~CancelRequestDelegate() override = default;\n\n void OnResponseStarted(URLRequest* request, int net_error) override {\n TestDelegate::OnResponseStarted(request, net_error);\n base::ThreadTaskRunnerHandle::Get()->PostDelayedTask(\n FROM_HERE, run_loop_.QuitClosure(), base::Seconds(1));\n }\n\n void WaitUntilDone() { run_loop_.Run(); }\n\n private:\n base::RunLoop run_loop_;\n};\n\nclass InfiniteResponse : public BasicHttpResponse {\n public:\n InfiniteResponse() = default;\n\n InfiniteResponse(const InfiniteResponse&) = delete;\n InfiniteResponse& operator=(const InfiniteResponse&) = delete;\n\n void SendResponse(base::WeakPtr<HttpResponseDelegate> delegate) override {\n delegate->SendResponseHeaders(code(), GetHttpReasonPhrase(code()),\n BuildHeaders());\n SendInfinite(delegate);\n }\n\n private:\n void SendInfinite(base::WeakPtr<HttpResponseDelegate> delegate) {\n delegate->SendContents(\"echo\", base::DoNothing());\n base::ThreadTaskRunnerHandle::Get()->PostTask(\n FROM_HERE, base::BindOnce(&InfiniteResponse::SendInfinite,\n weak_ptr_factory_.GetWeakPtr(), delegate));\n }\n\n base::WeakPtrFactory<InfiniteResponse> weak_ptr_factory_{this};\n};\n\nstd::unique_ptr<HttpResponse> HandleInfiniteRequest(\n const HttpRequest& request) {\n return std::make_unique<InfiniteResponse>();\n}\n\n} // anonymous namespace\n\n// Tests the case the connection is closed while the server is sending a\n// response. May non-deterministically end up at one of three paths\n// (Discover the close event synchronously, asynchronously, or server\n// shutting down before it is discovered).\nTEST_P(EmbeddedTestServerTest, CloseDuringWrite) {\n CancelRequestDelegate cancel_delegate;\n cancel_delegate.set_cancel_in_response_started(true);\n server_->RegisterRequestHandler(\n base::BindRepeating(&HandlePrefixedRequest, \"/infinite\",\n base::BindRepeating(&HandleInfiniteRequest)));\n ASSERT_TRUE(server_->Start());\n\n std::unique_ptr<URLRequest> request =\n context_.CreateRequest(server_->GetURL(\"/infinite\"), DEFAULT_PRIORITY,\n &cancel_delegate, TRAFFIC_ANNOTATION_FOR_TESTS);\n request->Start();\n cancel_delegate.WaitUntilDone();\n}\n\nconst struct CertificateValuesEntry {\n const EmbeddedTestServer::ServerCertificate server_cert;\n const bool is_expired;\n const char* common_name;\n const char* issuer_common_name;\n size_t certs_count;\n} kCertificateValuesEntry[] = {\n {EmbeddedTestServer::CERT_OK, false, \"127.0.0.1\", \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_OK_BY_INTERMEDIATE, false, \"127.0.0.1\",\n \"Test Intermediate CA\", 2},\n {EmbeddedTestServer::CERT_MISMATCHED_NAME, false, \"127.0.0.1\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_COMMON_NAME_IS_DOMAIN, false, \"localhost\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_EXPIRED, true, \"127.0.0.1\", \"Test Root CA\", 1},\n};\n\nTEST_P(EmbeddedTestServerTest, GetCertificate) {\n if (GetParam().type != EmbeddedTestServer::TYPE_HTTPS)\n return;\n\n for (const auto& cert_entry : kCertificateValuesEntry) {\n SCOPED_TRACE(cert_entry.server_cert);\n server_->SetSSLConfig(cert_entry.server_cert);\n scoped_refptr<X509Certificate> cert = server_->GetCertificate();\n ASSERT_TRUE(cert);\n EXPECT_EQ(cert->HasExpired(), cert_entry.is_expired);\n EXPECT_EQ(cert->subject().common_name, cert_entry.common_name);\n EXPECT_EQ(cert->issuer().common_name, cert_entry.issuer_common_name);\n EXPECT_EQ(cert->intermediate_buffers().size(), cert_entry.certs_count - 1);\n }\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrame) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"\", \"foo\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_OK);\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"foo\", delegate.transports().back().accept_ch_frame);\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrameDifferentOrigins) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"a.test\", \"a\");\n server_->SetAlpsAcceptCH(\"b.test\", \"b\");\n server_->SetAlpsAcceptCH(\"c.b.test\", \"c\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_TEST_NAMES);\n\n ASSERT_TRUE(server_->Start());\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"a.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"a\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"b.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"b\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"c.b.test\", \"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"c\", delegate.transports().back().accept_ch_frame);\n }\n}\n\nINSTANTIATE_TEST_SUITE_P(EmbeddedTestServerTestInstantiation,\n EmbeddedTestServerTest,\n testing::ValuesIn(EmbeddedTestServerConfigs()));\n// Below test exercises EmbeddedTestServer's ability to cope with the situation\n// where there is no MessageLoop available on the thread at EmbeddedTestServer\n// initialization and/or destruction.\n\ntypedef std::tuple<bool, bool, EmbeddedTestServerConfig> ThreadingTestParams;\n\nclass EmbeddedTestServerThreadingTest\n : public testing::TestWithParam<ThreadingTestParams>,\n public WithTaskEnvironment {};\n\nclass EmbeddedTestServerThreadingTestDelegate\n : public base::PlatformThread::Delegate {\n public:\n EmbeddedTestServerThreadingTestDelegate(\n bool message_loop_present_on_initialize,\n bool message_loop_present_on_shutdown,\n EmbeddedTestServerConfig config)\n : message_loop_present_on_initialize_(message_loop_present_on_initialize),\n message_loop_present_on_shutdown_(message_loop_present_on_shutdown),\n type_(config.type),\n protocol_(config.protocol) {}\n\n EmbeddedTestServerThreadingTestDelegate(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n EmbeddedTestServerThreadingTestDelegate& operator=(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n\n // base::PlatformThread::Delegate:\n void ThreadMain() override {\n std::unique_ptr<base::SingleThreadTaskExecutor> executor;\n if (message_loop_present_on_initialize_) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n // Create the test server instance.\n EmbeddedTestServer server(type_, protocol_);\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n ASSERT_TRUE(server.Start());\n\n // Make a request and wait for the reply.\n if (!executor) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n auto context = std::make_unique<TestURLRequestContext>();\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context->CreateRequest(server.GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n request.reset();\n // Flush the socket pool on the same thread by destroying the context.\n context.reset();\n\n // Shut down.\n if (message_loop_present_on_shutdown_)\n executor.reset();\n\n ASSERT_TRUE(server.ShutdownAndWaitUntilComplete());\n }\n\n private:\n const bool message_loop_present_on_initialize_;\n const bool message_loop_present_on_shutdown_;\n const EmbeddedTestServer::Type type_;\n const HttpConnection::Protocol protocol_;\n};\n\nTEST_P(EmbeddedTestServerThreadingTest, RunTest) {\n // The actual test runs on a separate thread so it can screw with the presence\n // of a MessageLoop - the test suite already sets up a MessageLoop for the\n // main test thread.\n base::PlatformThreadHandle thread_handle;\n EmbeddedTestServerThreadingTestDelegate delegate(std::get<0>(GetParam()),\n std::get<1>(GetParam()),\n std::get<2>(GetParam()));\n ASSERT_TRUE(base::PlatformThread::Create(0, &delegate, &thread_handle));\n base::PlatformThread::Join(thread_handle);\n}\n\nINSTANTIATE_TEST_SUITE_P(\n EmbeddedTestServerThreadingTestInstantiation,\n EmbeddedTestServerThreadingTest,\n testing::Combine(testing::Bool(),\n testing::Bool(),\n testing::ValuesIn(EmbeddedTestServerConfigs())));\n\n} // namespace test_server\n} // namespace net\n" + }, + "written_data": { + "net/test/embedded_test_server/embedded_test_server_unittest.cc": "// Copyright (c) 2012 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"net/test/embedded_test_server/embedded_test_server.h\"\n\n#include <tuple>\n#include <utility>\n\n#include \"base/bind.h\"\n#include \"base/callback_helpers.h\"\n#include \"base/macros.h\"\n#include \"base/memory/weak_ptr.h\"\n#include \"base/message_loop/message_pump_type.h\"\n#include \"base/path_service.h\"\n#include \"base/run_loop.h\"\n#include \"base/strings/stringprintf.h\"\n#include \"base/synchronization/lock.h\"\n#include \"base/task/single_thread_task_executor.h\"\n#include \"base/task/single_thread_task_runner.h\"\n#include \"base/threading/thread.h\"\n#include \"base/threading/thread_task_runner_handle.h\"\n#include \"build/build_config.h\"\n#include \"net/base/test_completion_callback.h\"\n#include \"net/http/http_response_headers.h\"\n#include \"net/log/net_log_source.h\"\n#include \"net/socket/client_socket_factory.h\"\n#include \"net/socket/stream_socket.h\"\n#include \"net/test/embedded_test_server/embedded_test_server_connection_listener.h\"\n#include \"net/test/embedded_test_server/http_request.h\"\n#include \"net/test/embedded_test_server/http_response.h\"\n#include \"net/test/embedded_test_server/request_handler_util.h\"\n#include \"net/test/gtest_util.h\"\n#include \"net/test/test_with_task_environment.h\"\n#include \"net/traffic_annotation/network_traffic_annotation_test_helper.h\"\n#include \"net/url_request/url_request.h\"\n#include \"net/url_request/url_request_test_util.h\"\n#include \"testing/gmock/include/gmock/gmock.h\"\n#include \"testing/gtest/include/gtest/gtest.h\"\n\nusing net::test::IsOk;\n\nnamespace net {\nnamespace test_server {\n\n// Gets notified by the EmbeddedTestServer on incoming connections being\n// accepted, read from, or closed.\nclass TestConnectionListener\n : public net::test_server::EmbeddedTestServerConnectionListener {\n public:\n TestConnectionListener()\n : socket_accepted_count_(0),\n did_read_from_socket_(false),\n did_get_socket_on_complete_(false),\n task_runner_(base::ThreadTaskRunnerHandle::Get()) {}\n\n TestConnectionListener(const TestConnectionListener&) = delete;\n TestConnectionListener& operator=(const TestConnectionListener&) = delete;\n\n ~TestConnectionListener() override = default;\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was accepted.\n std::unique_ptr<StreamSocket> AcceptedSocket(\n std::unique_ptr<StreamSocket> connection) override {\n base::AutoLock lock(lock_);\n ++socket_accepted_count_;\n accept_loop_.Quit();\n return connection;\n }\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was read from.\n void ReadFromSocket(const net::StreamSocket& connection, int rv) override {\n base::AutoLock lock(lock_);\n did_read_from_socket_ = true;\n }\n\n void OnResponseCompletedSuccessfully(\n std::unique_ptr<StreamSocket> socket) override {\n base::AutoLock lock(lock_);\n did_get_socket_on_complete_ = socket && socket->IsConnected();\n complete_loop_.Quit();\n }\n\n void WaitUntilFirstConnectionAccepted() { accept_loop_.Run(); }\n\n void WaitUntilGotSocketFromResponseCompleted() { complete_loop_.Run(); }\n\n size_t SocketAcceptedCount() const {\n base::AutoLock lock(lock_);\n return socket_accepted_count_;\n }\n\n bool DidReadFromSocket() const {\n base::AutoLock lock(lock_);\n return did_read_from_socket_;\n }\n\n bool DidGetSocketOnComplete() const {\n base::AutoLock lock(lock_);\n return did_get_socket_on_complete_;\n }\n\n private:\n size_t socket_accepted_count_;\n bool did_read_from_socket_;\n bool did_get_socket_on_complete_;\n\n base::RunLoop accept_loop_;\n base::RunLoop complete_loop_;\n scoped_refptr<base::SingleThreadTaskRunner> task_runner_;\n\n mutable base::Lock lock_;\n};\n\nstruct EmbeddedTestServerConfig {\n EmbeddedTestServer::Type type;\n HttpConnection::Protocol protocol;\n};\n\nstd::vector<EmbeddedTestServerConfig> EmbeddedTestServerConfigs() {\n return {\n {EmbeddedTestServer::TYPE_HTTP, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp2},\n };\n}\n\nclass EmbeddedTestServerTest\n : public testing::TestWithParam<EmbeddedTestServerConfig>,\n public WithTaskEnvironment {\n public:\n EmbeddedTestServerTest() {}\n\n void SetUp() override {\n server_ = std::make_unique<EmbeddedTestServer>(GetParam().type,\n GetParam().protocol);\n server_->AddDefaultHandlers();\n server_->SetConnectionListener(&connection_listener_);\n }\n\n void TearDown() override {\n if (server_->Started())\n ASSERT_TRUE(server_->ShutdownAndWaitUntilComplete());\n }\n\n // Handles |request| sent to |path| and returns the response per |content|,\n // |content type|, and |code|. Saves the request URL for verification.\n std::unique_ptr<HttpResponse> HandleRequest(const std::string& path,\n const std::string& content,\n const std::string& content_type,\n HttpStatusCode code,\n const HttpRequest& request) {\n request_relative_url_ = request.relative_url;\n request_absolute_url_ = request.GetURL();\n\n if (request_absolute_url_.path() == path) {\n auto http_response = std::make_unique<BasicHttpResponse>();\n http_response->set_code(code);\n http_response->set_content(content);\n http_response->set_content_type(content_type);\n return http_response;\n }\n\n return nullptr;\n }\n\n protected:\n std::string request_relative_url_;\n GURL request_absolute_url_;\n TestURLRequestContext context_;\n TestConnectionListener connection_listener_;\n std::unique_ptr<EmbeddedTestServer> server_;\n base::OnceClosure quit_run_loop_;\n};\n\nTEST_P(EmbeddedTestServerTest, GetBaseURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURLWithHostname) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://foo.com:%d/path?query=foo\",\n server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(\n base::StringPrintf(\"http://foo.com:%d/path?query=foo\", server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, RegisterRequestHandler) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test\",\n \"<b>Worked!</b>\", \"text/html\", HTTP_OK));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<b>Worked!</b>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n\n EXPECT_EQ(\"/test?q=foo\", request_relative_url_);\n EXPECT_EQ(server_->GetURL(\"/test?q=foo\"), request_absolute_url_);\n}\n\nTEST_P(EmbeddedTestServerTest, ServeFilesFromDirectory) {\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, MockHeadersWithoutCRLF) {\n // Messing with raw headers isn't compatible with HTTP/2\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\").AppendASCII(\n \"embedded_test_server\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/mock-headers-without-crlf.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, DefaultNotFoundResponse) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request->response_headers()->response_code());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerAccept) {\n ASSERT_TRUE(server_->Start());\n\n net::AddressList address_list;\n EXPECT_TRUE(server_->GetAddressList(&address_list));\n\n std::unique_ptr<StreamSocket> socket =\n ClientSocketFactory::GetDefaultFactory()->CreateTransportClientSocket(\n address_list, nullptr, nullptr, NetLog::Get(), NetLogSource());\n TestCompletionCallback callback;\n ASSERT_THAT(callback.GetResult(socket->Connect(callback.callback())), IsOk());\n\n connection_listener_.WaitUntilFirstConnectionAccepted();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_FALSE(connection_listener_.DidReadFromSocket());\n EXPECT_FALSE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerRead) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n}\n\n// TODO(http://crbug.com/1166868): Flaky on ChromeOS.\n#if defined(OS_CHROMEOS) || defined(OS_LINUX)\n#define MAYBE_ConnectionListenerComplete DISABLED_ConnectionListenerComplete\n#else\n#define MAYBE_ConnectionListenerComplete ConnectionListenerComplete\n#endif\nTEST_P(EmbeddedTestServerTest, MAYBE_ConnectionListenerComplete) {\n // OnResponseCompletedSuccessfully() makes the assumption that a connection is\n // \"finished\" before the socket is closed, and in the case of HTTP/2 this is\n // not supported\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n // Need to send a Keep-Alive response header since the EmbeddedTestServer only\n // invokes OnResponseCompletedSuccessfully() if the socket is still open, and\n // the network stack will close the socket if not reuable, resulting in\n // potentially racilly closing the socket before\n // OnResponseCompletedSuccessfully() is invoked.\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/set-header?Connection: Keep-Alive\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n\n connection_listener_.WaitUntilGotSocketFromResponseCompleted();\n EXPECT_TRUE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConcurrentFetches) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test1\",\n \"Raspberry chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test2\",\n \"Vanilla chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test3\",\n \"No chocolates\", \"text/plain\", HTTP_NOT_FOUND));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate1;\n std::unique_ptr<URLRequest> request1(\n context_.CreateRequest(server_->GetURL(\"/test1\"), DEFAULT_PRIORITY,\n &delegate1, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate2;\n std::unique_ptr<URLRequest> request2(\n context_.CreateRequest(server_->GetURL(\"/test2\"), DEFAULT_PRIORITY,\n &delegate2, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate3;\n std::unique_ptr<URLRequest> request3(\n context_.CreateRequest(server_->GetURL(\"/test3\"), DEFAULT_PRIORITY,\n &delegate3, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n // Fetch the three URLs concurrently. Have to manually create RunLoops when\n // running multiple requests simultaneously, to avoid the deprecated\n // RunUntilIdle() path.\n base::RunLoop run_loop1;\n base::RunLoop run_loop2;\n base::RunLoop run_loop3;\n delegate1.set_on_complete(run_loop1.QuitClosure());\n delegate2.set_on_complete(run_loop2.QuitClosure());\n delegate3.set_on_complete(run_loop3.QuitClosure());\n request1->Start();\n request2->Start();\n request3->Start();\n run_loop1.Run();\n run_loop2.Run();\n run_loop3.Run();\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request1->response_headers());\n EXPECT_EQ(HTTP_OK, request1->response_headers()->response_code());\n EXPECT_EQ(\"Raspberry chocolate\", delegate1.data_received());\n std::string content_type1;\n ASSERT_TRUE(request1->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type1));\n EXPECT_EQ(\"text/html\", content_type1);\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request2->response_headers());\n EXPECT_EQ(HTTP_OK, request2->response_headers()->response_code());\n EXPECT_EQ(\"Vanilla chocolate\", delegate2.data_received());\n std::string content_type2;\n ASSERT_TRUE(request2->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type2));\n EXPECT_EQ(\"text/html\", content_type2);\n\n EXPECT_EQ(net::OK, delegate3.request_status());\n ASSERT_TRUE(request3->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request3->response_headers()->response_code());\n EXPECT_EQ(\"No chocolates\", delegate3.data_received());\n std::string content_type3;\n ASSERT_TRUE(request3->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type3));\n EXPECT_EQ(\"text/plain\", content_type3);\n}\n\nnamespace {\n\nclass CancelRequestDelegate : public TestDelegate {\n public:\n CancelRequestDelegate() { set_on_complete(base::DoNothing()); }\n\n CancelRequestDelegate(const CancelRequestDelegate&) = delete;\n CancelRequestDelegate& operator=(const CancelRequestDelegate&) = delete;\n\n ~CancelRequestDelegate() override = default;\n\n void OnResponseStarted(URLRequest* request, int net_error) override {\n TestDelegate::OnResponseStarted(request, net_error);\n base::ThreadTaskRunnerHandle::Get()->PostDelayedTask(\n FROM_HERE, run_loop_.QuitClosure(), base::Seconds(1));\n }\n\n void WaitUntilDone() { run_loop_.Run(); }\n\n private:\n base::RunLoop run_loop_;\n};\n\nclass InfiniteResponse : public BasicHttpResponse {\n public:\n InfiniteResponse() = default;\n\n InfiniteResponse(const InfiniteResponse&) = delete;\n InfiniteResponse& operator=(const InfiniteResponse&) = delete;\n\n void SendResponse(base::WeakPtr<HttpResponseDelegate> delegate) override {\n delegate->SendResponseHeaders(code(), GetHttpReasonPhrase(code()),\n BuildHeaders());\n SendInfinite(delegate);\n }\n\n private:\n void SendInfinite(base::WeakPtr<HttpResponseDelegate> delegate) {\n delegate->SendContents(\"echo\", base::DoNothing());\n base::ThreadTaskRunnerHandle::Get()->PostTask(\n FROM_HERE, base::BindOnce(&InfiniteResponse::SendInfinite,\n weak_ptr_factory_.GetWeakPtr(), delegate));\n }\n\n base::WeakPtrFactory<InfiniteResponse> weak_ptr_factory_{this};\n};\n\nstd::unique_ptr<HttpResponse> HandleInfiniteRequest(\n const HttpRequest& request) {\n return std::make_unique<InfiniteResponse>();\n}\n\n} // anonymous namespace\n\n// Tests the case the connection is closed while the server is sending a\n// response. May non-deterministically end up at one of three paths\n// (Discover the close event synchronously, asynchronously, or server\n// shutting down before it is discovered).\nTEST_P(EmbeddedTestServerTest, CloseDuringWrite) {\n CancelRequestDelegate cancel_delegate;\n cancel_delegate.set_cancel_in_response_started(true);\n server_->RegisterRequestHandler(\n base::BindRepeating(&HandlePrefixedRequest, \"/infinite\",\n base::BindRepeating(&HandleInfiniteRequest)));\n ASSERT_TRUE(server_->Start());\n\n std::unique_ptr<URLRequest> request =\n context_.CreateRequest(server_->GetURL(\"/infinite\"), DEFAULT_PRIORITY,\n &cancel_delegate, TRAFFIC_ANNOTATION_FOR_TESTS);\n request->Start();\n cancel_delegate.WaitUntilDone();\n}\n\nconst struct CertificateValuesEntry {\n const EmbeddedTestServer::ServerCertificate server_cert;\n const bool is_expired;\n const char* common_name;\n const char* issuer_common_name;\n size_t certs_count;\n} kCertificateValuesEntry[] = {\n {EmbeddedTestServer::CERT_OK, false, \"127.0.0.1\", \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_OK_BY_INTERMEDIATE, false, \"127.0.0.1\",\n \"Test Intermediate CA\", 2},\n {EmbeddedTestServer::CERT_MISMATCHED_NAME, false, \"127.0.0.1\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_COMMON_NAME_IS_DOMAIN, false, \"localhost\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_EXPIRED, true, \"127.0.0.1\", \"Test Root CA\", 1},\n};\n\nTEST_P(EmbeddedTestServerTest, GetCertificate) {\n if (GetParam().type != EmbeddedTestServer::TYPE_HTTPS)\n return;\n\n for (const auto& cert_entry : kCertificateValuesEntry) {\n SCOPED_TRACE(cert_entry.server_cert);\n server_->SetSSLConfig(cert_entry.server_cert);\n scoped_refptr<X509Certificate> cert = server_->GetCertificate();\n ASSERT_TRUE(cert);\n EXPECT_EQ(cert->HasExpired(), cert_entry.is_expired);\n EXPECT_EQ(cert->subject().common_name, cert_entry.common_name);\n EXPECT_EQ(cert->issuer().common_name, cert_entry.issuer_common_name);\n EXPECT_EQ(cert->intermediate_buffers().size(), cert_entry.certs_count - 1);\n }\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrame) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"\", \"foo\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_OK);\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"foo\", delegate.transports().back().accept_ch_frame);\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrameDifferentOrigins) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"a.test\", \"a\");\n server_->SetAlpsAcceptCH(\"b.test\", \"b\");\n server_->SetAlpsAcceptCH(\"c.b.test\", \"c\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_TEST_NAMES);\n\n ASSERT_TRUE(server_->Start());\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"a.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"a\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"b.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"b\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"c.b.test\", \"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"c\", delegate.transports().back().accept_ch_frame);\n }\n}\n\nINSTANTIATE_TEST_SUITE_P(EmbeddedTestServerTestInstantiation,\n EmbeddedTestServerTest,\n testing::ValuesIn(EmbeddedTestServerConfigs()));\n// Below test exercises EmbeddedTestServer's ability to cope with the situation\n// where there is no MessageLoop available on the thread at EmbeddedTestServer\n// initialization and/or destruction.\n\ntypedef std::tuple<bool, bool, EmbeddedTestServerConfig> ThreadingTestParams;\n\nclass EmbeddedTestServerThreadingTest\n : public testing::TestWithParam<ThreadingTestParams>,\n public WithTaskEnvironment {};\n\nclass EmbeddedTestServerThreadingTestDelegate\n : public base::PlatformThread::Delegate {\n public:\n EmbeddedTestServerThreadingTestDelegate(\n bool message_loop_present_on_initialize,\n bool message_loop_present_on_shutdown,\n EmbeddedTestServerConfig config)\n : message_loop_present_on_initialize_(message_loop_present_on_initialize),\n message_loop_present_on_shutdown_(message_loop_present_on_shutdown),\n type_(config.type),\n protocol_(config.protocol) {}\n\n EmbeddedTestServerThreadingTestDelegate(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n EmbeddedTestServerThreadingTestDelegate& operator=(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n\n // base::PlatformThread::Delegate:\n void ThreadMain() override {\n std::unique_ptr<base::SingleThreadTaskExecutor> executor;\n if (message_loop_present_on_initialize_) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n // Create the test server instance.\n EmbeddedTestServer server(type_, protocol_);\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n ASSERT_TRUE(server.Start());\n\n // Make a request and wait for the reply.\n if (!executor) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n auto context = std::make_unique<TestURLRequestContext>();\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context->CreateRequest(server.GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n request.reset();\n // Flush the socket pool on the same thread by destroying the context.\n context.reset();\n\n // Shut down.\n if (message_loop_present_on_shutdown_)\n executor.reset();\n\n ASSERT_TRUE(server.ShutdownAndWaitUntilComplete());\n }\n\n private:\n const bool message_loop_present_on_initialize_;\n const bool message_loop_present_on_shutdown_;\n const EmbeddedTestServer::Type type_;\n const HttpConnection::Protocol protocol_;\n};\n\nTEST_P(EmbeddedTestServerThreadingTest, RunTest) {\n // The actual test runs on a separate thread so it can screw with the presence\n // of a MessageLoop - the test suite already sets up a MessageLoop for the\n // main test thread.\n base::PlatformThreadHandle thread_handle;\n EmbeddedTestServerThreadingTestDelegate delegate(std::get<0>(GetParam()),\n std::get<1>(GetParam()),\n std::get<2>(GetParam()));\n ASSERT_TRUE(base::PlatformThread::Create(0, &delegate, &thread_handle));\n base::PlatformThread::Join(thread_handle);\n}\n\nINSTANTIATE_TEST_SUITE_P(\n EmbeddedTestServerThreadingTestInstantiation,\n EmbeddedTestServerThreadingTest,\n testing::Combine(testing::Bool(),\n testing::Bool(),\n testing::ValuesIn(EmbeddedTestServerConfigs())));\n\n} // namespace test_server\n} // namespace net\n" + } +} \ No newline at end of file diff --git a/tools/disable_tests/tests/gtest-backslash-in-input.json b/tools/disable_tests/tests/gtest-backslash-in-input.json new file mode 100644 index 0000000000000..9a78eca2435ad --- /dev/null +++ b/tools/disable_tests/tests/gtest-backslash-in-input.json @@ -0,0 +1,14 @@ +{ + "args": [ + "./disable", + "PipelineIntegrationTest.TrackStatusChangesWhileSuspended", + "win" + ], + "requests": "{\"GetTestResultHistory/{\\\"realm\\\": \\\"chromium:ci\\\", \\\"testIdRegexp\\\": \\\"ninja://.*/PipelineIntegrationTest.TrackStatusChangesWhileSuspended(/.*)?\\\", \\\"pageSize\\\": 1}\": \"{\\\"entries\\\":[{\\\"invocationTimestamp\\\":\\\"2021-11-12T04:08:26.515637Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b2aa4dbdc6211/tests/ninja:%2F%2Fmedia:media_unittests%2FPipelineIntegrationTest.TrackStatusChangesWhileSuspended/results/dbdeb7d5-04303\\\",\\\"testId\\\":\\\"ninja://media:media_unittests/PipelineIntegrationTest.TrackStatusChangesWhileSuspended\\\",\\\"resultId\\\":\\\"dbdeb7d5-04303\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux Tests (dbg)(1)\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"media_unittests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"3.104s\\\",\\\"variantHash\\\":\\\"8fce722b95353761\\\"}}],\\\"nextPageToken\\\":\\\"CgJ0cwoYMDhiYWQxYjc4YzA2MTA4OGZlZWZmNTAxCgEx\\\"}\\n\", \"GetTestResult/{\\\"name\\\": \\\"invocations/task-chromium-swarm.appspot.com-572b2aa4dbdc6211/tests/ninja:%2F%2Fmedia:media_unittests%2FPipelineIntegrationTest.TrackStatusChangesWhileSuspended/results/dbdeb7d5-04303\\\"}\": \"{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b2aa4dbdc6211/tests/ninja:%2F%2Fmedia:media_unittests%2FPipelineIntegrationTest.TrackStatusChangesWhileSuspended/results/dbdeb7d5-04303\\\",\\\"testId\\\":\\\"ninja://media:media_unittests/PipelineIntegrationTest.TrackStatusChangesWhileSuspended\\\",\\\"resultId\\\":\\\"dbdeb7d5-04303\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux Tests (dbg)(1)\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"media_unittests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"summaryHtml\\\":\\\"\\\\u003cp\\\\u003e\\\\u003ctext-artifact artifact-id=\\\\\\\"snippet\\\\\\\" /\\\\u003e\\\\u003c/p\\\\u003e\\\",\\\"duration\\\":\\\"3.104s\\\",\\\"tags\\\":[{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"CPU_64_BITS\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"MODE_DEBUG\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_LINUX\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_POSIX\\\"},{\\\"key\\\":\\\"gtest_status\\\",\\\"value\\\":\\\"SUCCESS\\\"},{\\\"key\\\":\\\"lossless_snippet\\\",\\\"value\\\":\\\"true\\\"},{\\\"key\\\":\\\"orig_format\\\",\\\"value\\\":\\\"chromium_gtest\\\"},{\\\"key\\\":\\\"step_name\\\",\\\"value\\\":\\\"media_unittests on Ubuntu-18.04\\\"},{\\\"key\\\":\\\"test_name\\\",\\\"value\\\":\\\"PipelineIntegrationTest.TrackStatusChangesWhileSuspended\\\"}],\\\"variantHash\\\":\\\"8fce722b95353761\\\",\\\"testMetadata\\\":{\\\"name\\\":\\\"PipelineIntegrationTest.TrackStatusChangesWhileSuspended\\\",\\\"location\\\":{\\\"repo\\\":\\\"https://chromium.googlesource.com/chromium/src\\\",\\\"fileName\\\":\\\"//media/test/pipeline_integration_test.cc\\\",\\\"line\\\":857}}}\\n\"}", + "read_data": { + "media/test/pipeline_integration_test.cc": "// Copyright (c) 2012 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include <stddef.h>\n#include <stdint.h>\n\n#include <memory>\n#include <utility>\n\n#include \"base/bind.h\"\n#include \"base/callback_helpers.h\"\n#include \"base/command_line.h\"\n#include \"base/macros.h\"\n#include \"base/memory/ref_counted.h\"\n#include \"base/run_loop.h\"\n#include \"base/strings/string_split.h\"\n#include \"base/strings/string_util.h\"\n#include \"base/threading/thread_task_runner_handle.h\"\n#include \"build/build_config.h\"\n#include \"media/base/cdm_callback_promise.h\"\n#include \"media/base/cdm_key_information.h\"\n#include \"media/base/decoder_buffer.h\"\n#include \"media/base/media.h\"\n#include \"media/base/media_switches.h\"\n#include \"media/base/media_tracks.h\"\n#include \"media/base/mock_media_log.h\"\n#include \"media/base/test_data_util.h\"\n#include \"media/base/timestamp_constants.h\"\n#include \"media/cdm/aes_decryptor.h\"\n#include \"media/cdm/json_web_key.h\"\n#include \"media/media_buildflags.h\"\n#include \"media/renderers/renderer_impl.h\"\n#include \"media/test/fake_encrypted_media.h\"\n#include \"media/test/pipeline_integration_test_base.h\"\n#include \"media/test/test_media_source.h\"\n#include \"testing/gmock/include/gmock/gmock.h\"\n#include \"url/gurl.h\"\n\n#define EXPECT_HASH_EQ(a, b) EXPECT_EQ(a, b)\n#define EXPECT_VIDEO_FORMAT_EQ(a, b) EXPECT_EQ(a, b)\n#define EXPECT_COLOR_SPACE_EQ(a, b) EXPECT_EQ(a, b)\n\nusing ::testing::_;\nusing ::testing::AnyNumber;\nusing ::testing::AtLeast;\nusing ::testing::AtMost;\nusing ::testing::HasSubstr;\nusing ::testing::SaveArg;\n\nnamespace media {\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nconst int kAV110bitMp4FileDurationMs = 2735;\nconst int kAV1640WebMFileDurationMs = 2736;\n#endif // BUILDFLAG(ENABLE_AV1_DECODER)\n\n// Constants for the Media Source config change tests.\nconst int kAppendTimeSec = 1;\nconst int kAppendTimeMs = kAppendTimeSec * 1000;\nconst int k320WebMFileDurationMs = 2736;\nconst int k640WebMFileDurationMs = 2762;\nconst int kVP9WebMFileDurationMs = 2736;\nconst int kVP8AWebMFileDurationMs = 2734;\n\nstatic const char kSfxLosslessHash[] = \"3.03,2.86,2.99,3.31,3.57,4.06,\";\n\n#if defined(OPUS_FIXED_POINT)\n// NOTE: These hashes are specific to ARM devices, which use fixed-point Opus\n// implementation. x86 uses floating-point Opus, so x86 hashes won't match\n#if defined(ARCH_CPU_ARM64)\nstatic const char kOpusEndTrimmingHash_1[] =\n \"-4.58,-5.68,-6.53,-6.28,-4.35,-3.59,\";\nstatic const char kOpusEndTrimmingHash_2[] =\n \"-11.92,-11.11,-8.25,-7.10,-7.84,-10.00,\";\nstatic const char kOpusEndTrimmingHash_3[] =\n \"-13.33,-14.38,-13.68,-11.66,-10.18,-10.49,\";\nstatic const char kOpusSmallCodecDelayHash_1[] =\n \"-0.48,-0.09,1.27,1.06,1.54,-0.22,\";\nstatic const char kOpusSmallCodecDelayHash_2[] =\n \"0.29,0.15,-0.19,0.25,0.68,0.83,\";\nstatic const char kOpusMonoOutputHash[] = \"-2.39,-1.66,0.81,1.54,1.48,-0.91,\";\n#else\nstatic const char kOpusEndTrimmingHash_1[] =\n \"-4.57,-5.66,-6.52,-6.30,-4.37,-3.61,\";\nstatic const char kOpusEndTrimmingHash_2[] =\n \"-11.91,-11.11,-8.27,-7.13,-7.86,-10.00,\";\nstatic const char kOpusEndTrimmingHash_3[] =\n \"-13.31,-14.38,-13.70,-11.71,-10.21,-10.49,\";\nstatic const char kOpusSmallCodecDelayHash_1[] =\n \"-0.48,-0.09,1.27,1.06,1.54,-0.22,\";\nstatic const char kOpusSmallCodecDelayHash_2[] =\n \"0.29,0.14,-0.20,0.24,0.68,0.83,\";\nstatic const char kOpusMonoOutputHash[] = \"-2.41,-1.66,0.79,1.53,1.46,-0.91,\";\n#endif // defined(ARCH_CPU_ARM64)\n\n#else\n// Hash for a full playthrough of \"opus-trimming-test.(webm|ogg)\".\nstatic const char kOpusEndTrimmingHash_1[] =\n \"-4.57,-5.67,-6.52,-6.28,-4.34,-3.58,\";\n// The above hash, plus an additional playthrough starting from T=1s.\nstatic const char kOpusEndTrimmingHash_2[] =\n \"-11.91,-11.10,-8.24,-7.08,-7.82,-9.99,\";\n// The above hash, plus an additional playthrough starting from T=6.36s.\nstatic const char kOpusEndTrimmingHash_3[] =\n \"-13.31,-14.36,-13.66,-11.65,-10.16,-10.47,\";\n// Hash for a full playthrough of \"bear-opus.webm\".\nstatic const char kOpusSmallCodecDelayHash_1[] =\n \"-0.47,-0.09,1.28,1.07,1.55,-0.22,\";\n// The above hash, plus an additional playthrough starting from T=1.414s.\nstatic const char kOpusSmallCodecDelayHash_2[] =\n \"0.31,0.15,-0.18,0.25,0.70,0.84,\";\n// For BasicPlaybackOpusWebmHashed_MonoOutput test case.\nstatic const char kOpusMonoOutputHash[] = \"-2.36,-1.64,0.84,1.55,1.51,-0.90,\";\n#endif // defined(OPUS_FIXED_POINT)\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\nconst int k640IsoCencFileDurationMs = 2769;\nconst int k1280IsoFileDurationMs = 2736;\n\n// TODO(wolenetz): Update to 2769 once MSE endOfStream implementation no longer\n// truncates duration to the highest in intersection ranges, but compliantly to\n// the largest track buffer ranges end time across all tracks and SourceBuffers.\n// See https://crbug.com/639144.\nconst int k1280IsoFileDurationMsAV = 2763;\n\nconst int k1280IsoAVC3FileDurationMs = 2736;\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n\n// Return a timeline offset for bear-320x240-live.webm.\nstatic base::Time kLiveTimelineOffset() {\n // The file contains the following UTC timeline offset:\n // 2012-11-10 12:34:56.789123456\n // Since base::Time only has a resolution of microseconds,\n // construct a base::Time for 2012-11-10 12:34:56.789123.\n base::Time::Exploded exploded_time;\n exploded_time.year = 2012;\n exploded_time.month = 11;\n exploded_time.day_of_month = 10;\n exploded_time.day_of_week = 6;\n exploded_time.hour = 12;\n exploded_time.minute = 34;\n exploded_time.second = 56;\n exploded_time.millisecond = 789;\n base::Time timeline_offset;\n EXPECT_TRUE(base::Time::FromUTCExploded(exploded_time, &timeline_offset));\n\n timeline_offset += base::Microseconds(123);\n\n return timeline_offset;\n}\n\n#if defined(OS_MAC)\nclass ScopedVerboseLogEnabler {\n public:\n ScopedVerboseLogEnabler() : old_level_(logging::GetMinLogLevel()) {\n logging::SetMinLogLevel(-1);\n }\n\n ScopedVerboseLogEnabler(const ScopedVerboseLogEnabler&) = delete;\n ScopedVerboseLogEnabler& operator=(const ScopedVerboseLogEnabler&) = delete;\n\n ~ScopedVerboseLogEnabler() { logging::SetMinLogLevel(old_level_); }\n\n private:\n const int old_level_;\n};\n#endif\n\nenum PromiseResult { RESOLVED, REJECTED };\n\n// Provides the test key in response to the encrypted event.\nclass KeyProvidingApp : public FakeEncryptedMedia::AppBase {\n public:\n KeyProvidingApp() = default;\n\n void OnResolveWithSession(PromiseResult expected,\n const std::string& session_id) {\n EXPECT_EQ(expected, RESOLVED);\n EXPECT_GT(session_id.length(), 0ul);\n current_session_id_ = session_id;\n }\n\n void OnResolve(PromiseResult expected) { EXPECT_EQ(expected, RESOLVED); }\n\n void OnReject(PromiseResult expected,\n media::CdmPromise::Exception exception_code,\n uint32_t system_code,\n const std::string& error_message) {\n EXPECT_EQ(expected, REJECTED) << error_message;\n }\n\n std::unique_ptr<SimpleCdmPromise> CreatePromise(PromiseResult expected) {\n std::unique_ptr<media::SimpleCdmPromise> promise(\n new media::CdmCallbackPromise<>(\n base::BindOnce(&KeyProvidingApp::OnResolve, base::Unretained(this),\n expected),\n base::BindOnce(&KeyProvidingApp::OnReject, base::Unretained(this),\n expected)));\n return promise;\n }\n\n std::unique_ptr<NewSessionCdmPromise> CreateSessionPromise(\n PromiseResult expected) {\n std::unique_ptr<media::NewSessionCdmPromise> promise(\n new media::CdmCallbackPromise<std::string>(\n base::BindOnce(&KeyProvidingApp::OnResolveWithSession,\n base::Unretained(this), expected),\n base::BindOnce(&KeyProvidingApp::OnReject, base::Unretained(this),\n expected)));\n return promise;\n }\n\n void OnSessionMessage(const std::string& session_id,\n CdmMessageType message_type,\n const std::vector<uint8_t>& message,\n AesDecryptor* decryptor) override {\n EXPECT_FALSE(session_id.empty());\n EXPECT_FALSE(message.empty());\n EXPECT_EQ(current_session_id_, session_id);\n EXPECT_EQ(CdmMessageType::LICENSE_REQUEST, message_type);\n\n // Extract the key ID from |message|. For Clear Key this is a JSON object\n // containing a set of \"kids\". There should only be 1 key ID in |message|.\n std::string message_string(message.begin(), message.end());\n KeyIdList key_ids;\n std::string error_message;\n EXPECT_TRUE(ExtractKeyIdsFromKeyIdsInitData(message_string, &key_ids,\n &error_message))\n << error_message;\n EXPECT_EQ(1u, key_ids.size());\n\n // Determine the key that matches the key ID |key_ids[0]|.\n std::vector<uint8_t> key;\n EXPECT_TRUE(LookupKey(key_ids[0], &key));\n\n // Update the session with the key ID and key.\n std::string jwk = GenerateJWKSet(key.data(), key.size(), key_ids[0].data(),\n key_ids[0].size());\n decryptor->UpdateSession(session_id,\n std::vector<uint8_t>(jwk.begin(), jwk.end()),\n CreatePromise(RESOLVED));\n }\n\n void OnSessionClosed(const std::string& session_id,\n CdmSessionClosedReason /*reason*/) override {\n EXPECT_EQ(current_session_id_, session_id);\n }\n\n void OnSessionKeysChange(const std::string& session_id,\n bool has_additional_usable_key,\n CdmKeysInfo keys_info) override {\n EXPECT_EQ(current_session_id_, session_id);\n EXPECT_EQ(has_additional_usable_key, true);\n }\n\n void OnSessionExpirationUpdate(const std::string& session_id,\n base::Time new_expiry_time) override {\n EXPECT_EQ(current_session_id_, session_id);\n }\n\n void OnEncryptedMediaInitData(EmeInitDataType init_data_type,\n const std::vector<uint8_t>& init_data,\n AesDecryptor* decryptor) override {\n // Since only 1 session is created, skip the request if the |init_data|\n // has been seen before (no need to add the same key again).\n if (init_data == prev_init_data_)\n return;\n prev_init_data_ = init_data;\n\n if (current_session_id_.empty()) {\n decryptor->CreateSessionAndGenerateRequest(\n CdmSessionType::kTemporary, init_data_type, init_data,\n CreateSessionPromise(RESOLVED));\n EXPECT_FALSE(current_session_id_.empty());\n }\n }\n\n virtual bool LookupKey(const std::vector<uint8_t>& key_id,\n std::vector<uint8_t>* key) {\n // No key rotation.\n return LookupTestKeyVector(key_id, false, key);\n }\n\n std::string current_session_id_;\n std::vector<uint8_t> prev_init_data_;\n};\n\nclass RotatingKeyProvidingApp : public KeyProvidingApp {\n public:\n RotatingKeyProvidingApp() : num_distinct_need_key_calls_(0) {}\n ~RotatingKeyProvidingApp() override {\n // Expect that OnEncryptedMediaInitData is fired multiple times with\n // different |init_data|.\n EXPECT_GT(num_distinct_need_key_calls_, 1u);\n }\n\n void OnEncryptedMediaInitData(EmeInitDataType init_data_type,\n const std::vector<uint8_t>& init_data,\n AesDecryptor* decryptor) override {\n // Skip the request if the |init_data| has been seen.\n if (init_data == prev_init_data_)\n return;\n prev_init_data_ = init_data;\n ++num_distinct_need_key_calls_;\n\n decryptor->CreateSessionAndGenerateRequest(CdmSessionType::kTemporary,\n init_data_type, init_data,\n CreateSessionPromise(RESOLVED));\n }\n\n bool LookupKey(const std::vector<uint8_t>& key_id,\n std::vector<uint8_t>* key) override {\n // With key rotation.\n return LookupTestKeyVector(key_id, true, key);\n }\n\n uint32_t num_distinct_need_key_calls_;\n};\n\n// Ignores the encrypted event and does not perform a license request.\nclass NoResponseApp : public FakeEncryptedMedia::AppBase {\n public:\n void OnSessionMessage(const std::string& session_id,\n CdmMessageType message_type,\n const std::vector<uint8_t>& message,\n AesDecryptor* decryptor) override {\n EXPECT_FALSE(session_id.empty());\n EXPECT_FALSE(message.empty());\n FAIL() << \"Unexpected Message\";\n }\n\n void OnSessionClosed(const std::string& session_id,\n CdmSessionClosedReason /*reason*/) override {\n EXPECT_FALSE(session_id.empty());\n FAIL() << \"Unexpected Closed\";\n }\n\n void OnSessionKeysChange(const std::string& session_id,\n bool has_additional_usable_key,\n CdmKeysInfo keys_info) override {\n EXPECT_FALSE(session_id.empty());\n EXPECT_EQ(has_additional_usable_key, true);\n }\n\n void OnSessionExpirationUpdate(const std::string& session_id,\n base::Time new_expiry_time) override {}\n\n void OnEncryptedMediaInitData(EmeInitDataType init_data_type,\n const std::vector<uint8_t>& init_data,\n AesDecryptor* decryptor) override {}\n};\n\n// A rough simulation of GpuVideoDecoder that fails every Decode() request. This\n// is used to test post-Initialize() fallback paths.\nclass FailingVideoDecoder : public VideoDecoder {\n public:\n VideoDecoderType GetDecoderType() const override {\n return VideoDecoderType::kTesting;\n }\n void Initialize(const VideoDecoderConfig& config,\n bool low_delay,\n CdmContext* cdm_context,\n InitCB init_cb,\n const OutputCB& output_cb,\n const WaitingCB& waiting_cb) override {\n std::move(init_cb).Run(OkStatus());\n }\n void Decode(scoped_refptr<DecoderBuffer> buffer,\n DecodeCB decode_cb) override {\n base::ThreadTaskRunnerHandle::Get()->PostTask(\n FROM_HERE,\n base::BindOnce(std::move(decode_cb), DecodeStatus::DECODE_ERROR));\n }\n void Reset(base::OnceClosure closure) override { std::move(closure).Run(); }\n bool NeedsBitstreamConversion() const override { return true; }\n};\n\nclass PipelineIntegrationTest : public testing::Test,\n public PipelineIntegrationTestBase {\n public:\n // Verifies that seeking works properly for ChunkDemuxer when the\n // seek happens while there is a pending read on the ChunkDemuxer\n // and no data is available.\n bool TestSeekDuringRead(const std::string& filename,\n int initial_append_size,\n base::TimeDelta start_seek_time,\n base::TimeDelta seek_time,\n int seek_file_position,\n int seek_append_size) {\n TestMediaSource source(filename, initial_append_size);\n\n if (StartPipelineWithMediaSource(&source, kNoClockless, nullptr) !=\n PIPELINE_OK) {\n return false;\n }\n\n Play();\n if (!WaitUntilCurrentTimeIsAfter(start_seek_time))\n return false;\n\n source.Seek(seek_time, seek_file_position, seek_append_size);\n if (!Seek(seek_time))\n return false;\n\n source.EndOfStream();\n\n source.Shutdown();\n Stop();\n return true;\n }\n\n void OnEnabledAudioTracksChanged(\n const std::vector<MediaTrack::Id>& enabled_track_ids) {\n base::RunLoop run_loop;\n pipeline_->OnEnabledAudioTracksChanged(enabled_track_ids,\n run_loop.QuitClosure());\n run_loop.Run();\n }\n\n void OnSelectedVideoTrackChanged(\n absl::optional<MediaTrack::Id> selected_track_id) {\n base::RunLoop run_loop;\n pipeline_->OnSelectedVideoTrackChanged(selected_track_id,\n run_loop.QuitClosure());\n run_loop.Run();\n }\n};\n\nstruct PlaybackTestData {\n const std::string filename;\n const uint32_t start_time_ms;\n const uint32_t duration_ms;\n};\n\nstruct MSEPlaybackTestData {\n const std::string filename;\n const size_t append_bytes;\n const uint32_t duration_ms;\n};\n\n// Tells gtest how to print our PlaybackTestData structure.\nstd::ostream& operator<<(std::ostream& os, const PlaybackTestData& data) {\n return os << data.filename;\n}\n\nstd::ostream& operator<<(std::ostream& os, const MSEPlaybackTestData& data) {\n return os << data.filename;\n}\n\nclass BasicPlaybackTest : public PipelineIntegrationTest,\n public testing::WithParamInterface<PlaybackTestData> {\n};\n\nTEST_P(BasicPlaybackTest, PlayToEnd) {\n PlaybackTestData data = GetParam();\n\n ASSERT_EQ(PIPELINE_OK, Start(data.filename, kUnreliableDuration));\n EXPECT_EQ(data.start_time_ms, demuxer_->GetStartTime().InMilliseconds());\n EXPECT_EQ(data.duration_ms, pipeline_->GetMediaDuration().InMilliseconds());\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nconst PlaybackTestData kOpenCodecsTests[] = {{\"bear-vp9-i422.webm\", 0, 2736}};\n\nINSTANTIATE_TEST_SUITE_P(OpenCodecs,\n BasicPlaybackTest,\n testing::ValuesIn(kOpenCodecsTests));\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\n\nclass BasicMSEPlaybackTest\n : public ::testing::WithParamInterface<MSEPlaybackTestData>,\n public PipelineIntegrationTest {\n protected:\n void PlayToEnd() {\n MSEPlaybackTestData data = GetParam();\n\n TestMediaSource source(data.filename, data.append_bytes);\n ASSERT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kNormal, nullptr));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(data.duration_ms,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_TRUE(demuxer_->GetTimelineOffset().is_null());\n source.Shutdown();\n Stop();\n }\n};\n\nTEST_P(BasicMSEPlaybackTest, PlayToEnd) {\n PlayToEnd();\n}\n\nconst PlaybackTestData kADTSTests[] = {\n {\"bear-audio-main-aac.aac\", 0, 2708},\n {\"bear-audio-lc-aac.aac\", 0, 2791},\n {\"bear-audio-implicit-he-aac-v1.aac\", 0, 2829},\n {\"bear-audio-implicit-he-aac-v2.aac\", 0, 2900},\n};\n\n// TODO(chcunningham): Migrate other basic playback tests to TEST_P.\nINSTANTIATE_TEST_SUITE_P(ProprietaryCodecs,\n BasicPlaybackTest,\n testing::ValuesIn(kADTSTests));\n\nconst MSEPlaybackTestData kMediaSourceADTSTests[] = {\n {\"bear-audio-main-aac.aac\", kAppendWholeFile, 2773},\n {\"bear-audio-lc-aac.aac\", kAppendWholeFile, 2794},\n {\"bear-audio-implicit-he-aac-v1.aac\", kAppendWholeFile, 2858},\n {\"bear-audio-implicit-he-aac-v2.aac\", kAppendWholeFile, 2901},\n};\n\n// TODO(chcunningham): Migrate other basic MSE playback tests to TEST_P.\nINSTANTIATE_TEST_SUITE_P(ProprietaryCodecs,\n BasicMSEPlaybackTest,\n testing::ValuesIn(kMediaSourceADTSTests));\n\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n\nstruct MSEChangeTypeTestData {\n const MSEPlaybackTestData file_one;\n const MSEPlaybackTestData file_two;\n};\n\nclass MSEChangeTypeTest\n : public ::testing::WithParamInterface<\n std::tuple<MSEPlaybackTestData, MSEPlaybackTestData>>,\n public PipelineIntegrationTest {\n public:\n // Populate meaningful test suffixes instead of /0, /1, etc.\n struct PrintToStringParamName {\n template <class ParamType>\n std::string operator()(\n const testing::TestParamInfo<ParamType>& info) const {\n std::stringstream ss;\n ss << std::get<0>(info.param) << \"_AND_\" << std::get<1>(info.param);\n std::string s = ss.str();\n // Strip out invalid param name characters.\n std::stringstream ss2;\n for (size_t i = 0; i < s.size(); ++i) {\n if (isalnum(s[i]) || s[i] == '_')\n ss2 << s[i];\n }\n return ss2.str();\n }\n };\n\n protected:\n void PlayBackToBack() {\n // TODO(wolenetz): Consider a modified, composable, hash that lets us\n // combine known hashes for two files to generate an expected hash for when\n // both are played. For now, only the duration (and successful append and\n // play-to-end) are verified.\n MSEPlaybackTestData file_one = std::get<0>(GetParam());\n MSEPlaybackTestData file_two = std::get<1>(GetParam());\n\n // Start in 'sequence' appendMode, because some test media begin near enough\n // to time 0, resulting in gaps across the changeType boundary in buffered\n // media timeline.\n // TODO(wolenetz): Switch back to 'segments' mode once we have some\n // incubation of a way to flexibly allow playback through unbuffered\n // regions. Known test media requiring sequence mode: MP3-in-MP2T\n TestMediaSource source(file_one.filename, file_one.append_bytes, true);\n ASSERT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kNormal, nullptr));\n source.EndOfStream();\n\n // Transitions between VP8A and other test media can trigger this again.\n EXPECT_CALL(*this, OnVideoOpacityChange(_)).Times(AnyNumber());\n\n Ranges<base::TimeDelta> ranges = pipeline_->GetBufferedTimeRanges();\n EXPECT_EQ(1u, ranges.size());\n EXPECT_EQ(0, ranges.start(0).InMilliseconds());\n base::TimeDelta file_one_end_time = ranges.end(0);\n EXPECT_EQ(file_one.duration_ms, file_one_end_time.InMilliseconds());\n\n // Change type and append |file_two| with start time abutting end of\n // the previous buffered range.\n source.UnmarkEndOfStream();\n source.ChangeType(GetMimeTypeForFile(file_two.filename));\n scoped_refptr<DecoderBuffer> file_two_contents =\n ReadTestDataFile(file_two.filename);\n source.AppendAtTime(file_one_end_time, file_two_contents->data(),\n file_two.append_bytes == kAppendWholeFile\n ? file_two_contents->data_size()\n : file_two.append_bytes);\n source.EndOfStream();\n ranges = pipeline_->GetBufferedTimeRanges();\n EXPECT_EQ(1u, ranges.size());\n EXPECT_EQ(0, ranges.start(0).InMilliseconds());\n\n base::TimeDelta file_two_actual_duration =\n ranges.end(0) - file_one_end_time;\n EXPECT_EQ(file_two_actual_duration.InMilliseconds(), file_two.duration_ms);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_TRUE(demuxer_->GetTimelineOffset().is_null());\n source.Shutdown();\n Stop();\n }\n};\n\nTEST_P(MSEChangeTypeTest, PlayBackToBack) {\n PlayBackToBack();\n}\n\nconst MSEPlaybackTestData kMediaSourceAudioFiles[] = {\n // MP3\n {\"sfx.mp3\", kAppendWholeFile, 313},\n\n // Opus in WebM\n {\"sfx-opus-441.webm\", kAppendWholeFile, 301},\n\n // Vorbis in WebM\n {\"bear-320x240-audio-only.webm\", kAppendWholeFile, 2768},\n\n // FLAC in MP4\n {\"sfx-flac_frag.mp4\", kAppendWholeFile, 288},\n\n // Opus in MP4\n {\"sfx-opus_frag.mp4\", kAppendWholeFile, 301},\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\n // AAC in ADTS\n {\"bear-audio-main-aac.aac\", kAppendWholeFile, 2773},\n\n // AAC in MP4\n {\"bear-640x360-a_frag.mp4\", kAppendWholeFile, 2803},\n\n#if BUILDFLAG(ENABLE_MSE_MPEG2TS_STREAM_PARSER)\n // MP3 in MP2T\n {\"bear-audio-mp4a.6B.ts\", kAppendWholeFile, 1097},\n#endif // BUILDFLAG(ENABLE_MSE_MPEG2TS_STREAM_PARSER)\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n};\n\nconst MSEPlaybackTestData kMediaSourceVideoFiles[] = {\n // VP9 in WebM\n {\"bear-vp9.webm\", kAppendWholeFile, kVP9WebMFileDurationMs},\n\n // VP9 in MP4\n {\"bear-320x240-v_frag-vp9.mp4\", kAppendWholeFile, 2736},\n\n // VP8 in WebM\n {\"bear-vp8a.webm\", kAppendWholeFile, kVP8AWebMFileDurationMs},\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\n // AV1 in MP4\n {\"bear-av1.mp4\", kAppendWholeFile, kVP9WebMFileDurationMs},\n\n // AV1 in WebM\n {\"bear-av1.webm\", kAppendWholeFile, kVP9WebMFileDurationMs},\n#endif // BUILDFLAG(ENABLE_AV1_DECODER)\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\n // H264 AVC3 in MP4\n {\"bear-1280x720-v_frag-avc3.mp4\", kAppendWholeFile,\n k1280IsoAVC3FileDurationMs},\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n};\n\nINSTANTIATE_TEST_SUITE_P(\n AudioOnly,\n MSEChangeTypeTest,\n testing::Combine(testing::ValuesIn(kMediaSourceAudioFiles),\n testing::ValuesIn(kMediaSourceAudioFiles)),\n MSEChangeTypeTest::PrintToStringParamName());\n\nINSTANTIATE_TEST_SUITE_P(\n VideoOnly,\n MSEChangeTypeTest,\n testing::Combine(testing::ValuesIn(kMediaSourceVideoFiles),\n testing::ValuesIn(kMediaSourceVideoFiles)),\n MSEChangeTypeTest::PrintToStringParamName());\n\nTEST_F(PipelineIntegrationTest, BasicPlayback) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\"));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusOgg) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-opus.ogg\"));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusOgg_4ch_ChannelMapping2) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-opus-4ch-channelmapping2.ogg\", kWebAudio));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusOgg_11ch_ChannelMapping2) {\n ASSERT_EQ(PIPELINE_OK,\n Start(\"bear-opus-11ch-channelmapping2.ogg\", kWebAudio));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kHashed));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_HASH_EQ(\"f0be120a90a811506777c99a2cdf7cc1\", GetVideoHash());\n EXPECT_HASH_EQ(\"-3.59,-2.06,-0.43,2.15,0.77,-0.95,\", GetAudioHash());\n EXPECT_TRUE(demuxer_->GetTimelineOffset().is_null());\n}\n\nbase::TimeDelta TimestampMs(int milliseconds) {\n return base::Milliseconds(milliseconds);\n}\n\nTEST_F(PipelineIntegrationTest, WaveLayoutChange) {\n ASSERT_EQ(PIPELINE_OK, Start(\"layout_change.wav\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, PlaybackTooManyChannels) {\n EXPECT_EQ(PIPELINE_ERROR_INITIALIZATION_FAILED, Start(\"9ch.wav\"));\n}\n\nTEST_F(PipelineIntegrationTest, PlaybackWithAudioTrackDisabledThenEnabled) {\n#if defined(OS_MAC)\n // Enable scoped logs to help track down hangs. http://crbug.com/1014646\n ScopedVerboseLogEnabler scoped_log_enabler;\n#endif\n\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kHashed | kNoClockless));\n\n // Disable audio.\n std::vector<MediaTrack::Id> empty;\n OnEnabledAudioTracksChanged(empty);\n\n // Seek to flush the pipeline and ensure there's no prerolled audio data.\n ASSERT_TRUE(Seek(base::TimeDelta()));\n\n Play();\n const base::TimeDelta k500ms = TimestampMs(500);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(k500ms));\n Pause();\n\n // Verify that no audio has been played, since we disabled audio tracks.\n EXPECT_HASH_EQ(kNullAudioHash, GetAudioHash());\n\n // Re-enable audio.\n std::vector<MediaTrack::Id> audio_track_id;\n audio_track_id.push_back(MediaTrack::Id(\"2\"));\n OnEnabledAudioTracksChanged(audio_track_id);\n\n // Restart playback from 500ms position.\n ASSERT_TRUE(Seek(k500ms));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Verify that audio has been playing after being enabled.\n EXPECT_HASH_EQ(\"-1.53,0.21,1.23,1.56,-0.34,-0.94,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, PlaybackWithVideoTrackDisabledThenEnabled) {\n#if defined(OS_MAC)\n // Enable scoped logs to help track down hangs. http://crbug.com/1014646\n ScopedVerboseLogEnabler scoped_log_enabler;\n#endif\n\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kHashed | kNoClockless));\n\n // Disable video.\n OnSelectedVideoTrackChanged(absl::nullopt);\n\n // Seek to flush the pipeline and ensure there's no prerolled video data.\n ASSERT_TRUE(Seek(base::TimeDelta()));\n\n // Reset the video hash in case some of the prerolled video frames have been\n // hashed already.\n ResetVideoHash();\n\n Play();\n const base::TimeDelta k500ms = TimestampMs(500);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(k500ms));\n Pause();\n\n // Verify that no video has been rendered, since we disabled video tracks.\n EXPECT_HASH_EQ(kNullVideoHash, GetVideoHash());\n\n // Re-enable video.\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"1\"));\n\n // Seek to flush video pipeline and reset the video hash again to clear state\n // if some prerolled frames got hashed after enabling video.\n ASSERT_TRUE(Seek(base::TimeDelta()));\n ResetVideoHash();\n\n // Restart playback from 500ms position.\n ASSERT_TRUE(Seek(k500ms));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Verify that video has been rendered after being enabled.\n EXPECT_HASH_EQ(\"fd59357dfd9c144ab4fb8181b2de32c3\", GetVideoHash());\n}\n\nTEST_F(PipelineIntegrationTest, TrackStatusChangesBeforePipelineStarted) {\n std::vector<MediaTrack::Id> empty_track_ids;\n OnEnabledAudioTracksChanged(empty_track_ids);\n OnSelectedVideoTrackChanged(absl::nullopt);\n}\n\nTEST_F(PipelineIntegrationTest, TrackStatusChangesAfterPipelineEnded) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n std::vector<MediaTrack::Id> track_ids;\n // Disable audio track.\n OnEnabledAudioTracksChanged(track_ids);\n // Re-enable audio track.\n track_ids.push_back(MediaTrack::Id(\"2\"));\n OnEnabledAudioTracksChanged(track_ids);\n // Disable video track.\n OnSelectedVideoTrackChanged(absl::nullopt);\n // Re-enable video track.\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"1\"));\n}\n\n// TODO(https://crbug.com/1009964): Enable test when MacOS flake is fixed.\n#if defined(OS_MAC)\n#define MAYBE_TrackStatusChangesWhileSuspended \\\n DISABLED_TrackStatusChangesWhileSuspended\n#else\n#define MAYBE_TrackStatusChangesWhileSuspended TrackStatusChangesWhileSuspended\n#endif\n\nTEST_F(PipelineIntegrationTest, MAYBE_TrackStatusChangesWhileSuspended) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kNoClockless));\n Play();\n\n ASSERT_TRUE(Suspend());\n\n // These get triggered every time playback is resumed.\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(320, 240)))\n .Times(AnyNumber());\n EXPECT_CALL(*this, OnVideoOpacityChange(true)).Times(AnyNumber());\n\n std::vector<MediaTrack::Id> track_ids;\n\n // Disable audio track.\n OnEnabledAudioTracksChanged(track_ids);\n ASSERT_TRUE(Resume(TimestampMs(100)));\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n ASSERT_TRUE(Suspend());\n\n // Re-enable audio track.\n track_ids.push_back(MediaTrack::Id(\"2\"));\n OnEnabledAudioTracksChanged(track_ids);\n ASSERT_TRUE(Resume(TimestampMs(200)));\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(300)));\n ASSERT_TRUE(Suspend());\n\n // Disable video track.\n OnSelectedVideoTrackChanged(absl::nullopt);\n ASSERT_TRUE(Resume(TimestampMs(300)));\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(400)));\n ASSERT_TRUE(Suspend());\n\n // Re-enable video track.\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"1\"));\n ASSERT_TRUE(Resume(TimestampMs(400)));\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, ReinitRenderersWhileAudioTrackIsDisabled) {\n // This test is flaky without kNoClockless, see crbug.com/788387.\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kNoClockless));\n Play();\n\n // These get triggered every time playback is resumed.\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(320, 240)))\n .Times(AnyNumber());\n EXPECT_CALL(*this, OnVideoOpacityChange(true)).Times(AnyNumber());\n\n // Disable the audio track.\n std::vector<MediaTrack::Id> track_ids;\n OnEnabledAudioTracksChanged(track_ids);\n // pipeline.Suspend() releases renderers and pipeline.Resume() recreates and\n // reinitializes renderers while the audio track is disabled.\n ASSERT_TRUE(Suspend());\n ASSERT_TRUE(Resume(TimestampMs(100)));\n // Now re-enable the audio track, playback should continue successfully.\n EXPECT_CALL(*this, OnBufferingStateChange(BUFFERING_HAVE_ENOUGH, _)).Times(1);\n track_ids.push_back(MediaTrack::Id(\"2\"));\n OnEnabledAudioTracksChanged(track_ids);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, ReinitRenderersWhileVideoTrackIsDisabled) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kNoClockless));\n Play();\n\n // These get triggered every time playback is resumed.\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(320, 240)))\n .Times(AnyNumber());\n EXPECT_CALL(*this, OnVideoOpacityChange(true)).Times(AnyNumber());\n\n // Disable the video track.\n OnSelectedVideoTrackChanged(absl::nullopt);\n // pipeline.Suspend() releases renderers and pipeline.Resume() recreates and\n // reinitializes renderers while the video track is disabled.\n ASSERT_TRUE(Suspend());\n ASSERT_TRUE(Resume(TimestampMs(100)));\n // Now re-enable the video track, playback should continue successfully.\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"1\"));\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, PipelineStoppedWhileAudioRestartPending) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\"));\n Play();\n\n // Disable audio track first, to re-enable it later and stop the pipeline\n // (which destroys the media renderer) while audio restart is pending.\n std::vector<MediaTrack::Id> track_ids;\n OnEnabledAudioTracksChanged(track_ids);\n\n // Playback is paused while all audio tracks are disabled.\n\n track_ids.push_back(MediaTrack::Id(\"2\"));\n OnEnabledAudioTracksChanged(track_ids);\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, PipelineStoppedWhileVideoRestartPending) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\"));\n Play();\n\n // Disable video track first, to re-enable it later and stop the pipeline\n // (which destroys the media renderer) while video restart is pending.\n OnSelectedVideoTrackChanged(absl::nullopt);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"1\"));\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, SwitchAudioTrackDuringPlayback) {\n ASSERT_EQ(PIPELINE_OK, Start(\"multitrack-3video-2audio.webm\", kNoClockless));\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(100)));\n // The first audio track (TrackId=4) is enabled by default. This should\n // disable TrackId=4 and enable TrackId=5.\n std::vector<MediaTrack::Id> track_ids;\n track_ids.push_back(MediaTrack::Id(\"5\"));\n OnEnabledAudioTracksChanged(track_ids);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, SwitchVideoTrackDuringPlayback) {\n ASSERT_EQ(PIPELINE_OK, Start(\"multitrack-3video-2audio.webm\", kNoClockless));\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(100)));\n // The first video track (TrackId=1) is enabled by default. This should\n // disable TrackId=1 and enable TrackId=2.\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"2\"));\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusOggTrimmingHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"opus-trimming-test.ogg\", kHashed));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_1, GetAudioHash());\n\n // Seek within the pre-skip section, this should not cause a beep.\n ASSERT_TRUE(Seek(base::Seconds(1)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_2, GetAudioHash());\n\n // Seek somewhere outside of the pre-skip / end-trim section, demuxer should\n // correctly preroll enough to accurately decode this segment.\n ASSERT_TRUE(Seek(base::Milliseconds(6360)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_3, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusWebmTrimmingHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"opus-trimming-test.webm\", kHashed));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_1, GetAudioHash());\n\n // Seek within the pre-skip section, this should not cause a beep.\n ASSERT_TRUE(Seek(base::Seconds(1)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_2, GetAudioHash());\n\n // Seek somewhere outside of the pre-skip / end-trim section, demuxer should\n // correctly preroll enough to accurately decode this segment.\n ASSERT_TRUE(Seek(base::Milliseconds(6360)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_3, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusMp4TrimmingHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"opus-trimming-test.mp4\", kHashed));\n\n Play();\n\n // TODO(dalecurtis): The test clip currently does not have the edit list\n // entries required to achieve correctness here. Delete this comment and\n // uncomment the EXPECT_HASH_EQ lines when https://crbug.com/876544 is fixed.\n\n ASSERT_TRUE(WaitUntilOnEnded());\n // EXPECT_HASH_EQ(kOpusEndTrimmingHash_1, GetAudioHash());\n\n // Seek within the pre-skip section, this should not cause a beep.\n ASSERT_TRUE(Seek(base::Seconds(1)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n // EXPECT_HASH_EQ(kOpusEndTrimmingHash_2, GetAudioHash());\n\n // Seek somewhere outside of the pre-skip / end-trim section, demuxer should\n // correctly preroll enough to accurately decode this segment.\n ASSERT_TRUE(Seek(base::Milliseconds(6360)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n // EXPECT_HASH_EQ(kOpusEndTrimmingHash_3, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlaybackOpusWebmTrimmingHashed) {\n TestMediaSource source(\"opus-trimming-test.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_1, GetAudioHash());\n\n // Seek within the pre-skip section, this should not cause a beep.\n base::TimeDelta seek_time = base::Seconds(1);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_2, GetAudioHash());\n\n // Seek somewhere outside of the pre-skip / end-trim section, demuxer should\n // correctly preroll enough to accurately decode this segment.\n seek_time = base::Milliseconds(6360);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_3, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlaybackOpusMp4TrimmingHashed) {\n TestMediaSource source(\"opus-trimming-test.mp4\", kAppendWholeFile);\n\n // TODO(dalecurtis): The test clip currently does not have the edit list\n // entries required to achieve correctness here, so we're manually specifying\n // the edits using append window trimming.\n //\n // It's unclear if MSE actually supports edit list features required to\n // achieve correctness either. Delete this comment and remove the manual\n // SetAppendWindow() if/when https://crbug.com/876544 is fixed.\n source.SetAppendWindow(base::TimeDelta(), base::TimeDelta(),\n base::Microseconds(12720021));\n\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_1, GetAudioHash());\n\n // Seek within the pre-skip section, this should not cause a beep.\n base::TimeDelta seek_time = base::Seconds(1);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_2, GetAudioHash());\n\n // Seek somewhere outside of the pre-skip / end-trim section, demuxer should\n // correctly preroll enough to accurately decode this segment.\n seek_time = base::Milliseconds(6360);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_3, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusWebmHashed_MonoOutput) {\n ASSERT_EQ(PIPELINE_OK,\n Start(\"bunny-opus-intensity-stereo.webm\", kHashed | kMonoOutput));\n\n // File should have stereo output, which we know to be encoded using \"phase\n // intensity\". Downmixing such files to MONO produces artifacts unless the\n // decoder performs the downmix, which disables \"phase inversion\". See\n // http://crbug.com/806219\n AudioDecoderConfig config =\n demuxer_->GetFirstStream(DemuxerStream::AUDIO)->audio_decoder_config();\n ASSERT_EQ(config.channel_layout(), CHANNEL_LAYOUT_STEREO);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Hash has very slight differences when phase inversion is enabled.\n EXPECT_HASH_EQ(kOpusMonoOutputHash, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusPrerollExceedsCodecDelay) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-opus.webm\", kHashed));\n\n AudioDecoderConfig config =\n demuxer_->GetFirstStream(DemuxerStream::AUDIO)->audio_decoder_config();\n\n // Verify that this file's preroll is not eclipsed by the codec delay so we\n // can detect when preroll is not properly performed.\n base::TimeDelta codec_delay = base::Seconds(\n static_cast<double>(config.codec_delay()) / config.samples_per_second());\n ASSERT_GT(config.seek_preroll(), codec_delay);\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_1, GetAudioHash());\n\n // Seek halfway through the file to invoke seek preroll.\n ASSERT_TRUE(Seek(base::Seconds(1.414)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_2, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusMp4PrerollExceedsCodecDelay) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-opus.mp4\", kHashed));\n\n AudioDecoderConfig config =\n demuxer_->GetFirstStream(DemuxerStream::AUDIO)->audio_decoder_config();\n\n // Verify that this file's preroll is not eclipsed by the codec delay so we\n // can detect when preroll is not properly performed.\n base::TimeDelta codec_delay = base::Seconds(\n static_cast<double>(config.codec_delay()) / config.samples_per_second());\n ASSERT_GT(config.seek_preroll(), codec_delay);\n\n // TODO(dalecurtis): The test clip currently does not have the edit list\n // entries required to achieve correctness here. Delete this comment and\n // uncomment the EXPECT_HASH_EQ lines when https://crbug.com/876544 is fixed.\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n // EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_1, GetAudioHash());\n\n // Seek halfway through the file to invoke seek preroll.\n ASSERT_TRUE(Seek(base::Seconds(1.414)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n // EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_2, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlaybackOpusPrerollExceedsCodecDelay) {\n TestMediaSource source(\"bear-opus.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n AudioDecoderConfig config =\n demuxer_->GetFirstStream(DemuxerStream::AUDIO)->audio_decoder_config();\n\n // Verify that this file's preroll is not eclipsed by the codec delay so we\n // can detect when preroll is not properly performed.\n base::TimeDelta codec_delay = base::Seconds(\n static_cast<double>(config.codec_delay()) / config.samples_per_second());\n ASSERT_GT(config.seek_preroll(), codec_delay);\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_1, GetAudioHash());\n\n // Seek halfway through the file to invoke seek preroll.\n base::TimeDelta seek_time = base::Seconds(1.414);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_2, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_BasicPlaybackOpusMp4PrerollExceedsCodecDelay) {\n TestMediaSource source(\"bear-opus.mp4\", kAppendWholeFile);\n\n // TODO(dalecurtis): The test clip currently does not have the edit list\n // entries required to achieve correctness here, so we're manually specifying\n // the edits using append window trimming.\n //\n // It's unclear if MSE actually supports edit list features required to\n // achieve correctness either. Delete this comment and remove the manual\n // SetAppendWindow() if/when https://crbug.com/876544 is fixed.\n source.SetAppendWindow(base::TimeDelta(), base::TimeDelta(),\n base::Microseconds(2740834));\n\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n AudioDecoderConfig config =\n demuxer_->GetFirstStream(DemuxerStream::AUDIO)->audio_decoder_config();\n\n // Verify that this file's preroll is not eclipsed by the codec delay so we\n // can detect when preroll is not properly performed.\n base::TimeDelta codec_delay = base::Seconds(\n static_cast<double>(config.codec_delay()) / config.samples_per_second());\n ASSERT_GT(config.seek_preroll(), codec_delay);\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_1, GetAudioHash());\n\n // Seek halfway through the file to invoke seek preroll.\n base::TimeDelta seek_time = base::Seconds(1.414);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_2, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackLive) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240-live.webm\", kHashed));\n\n // Live stream does not have duration in the initialization segment.\n // It will be set after the entire file is available.\n EXPECT_CALL(*this, OnDurationChange()).Times(1);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_HASH_EQ(\"f0be120a90a811506777c99a2cdf7cc1\", GetVideoHash());\n EXPECT_HASH_EQ(\"-3.59,-2.06,-0.43,2.15,0.77,-0.95,\", GetAudioHash());\n EXPECT_EQ(kLiveTimelineOffset(), demuxer_->GetTimelineOffset());\n}\n\nTEST_F(PipelineIntegrationTest, S32PlaybackHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx_s32le.wav\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(std::string(kNullVideoHash), GetVideoHash());\n EXPECT_HASH_EQ(kSfxLosslessHash, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, F32PlaybackHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx_f32le.wav\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(std::string(kNullVideoHash), GetVideoHash());\n EXPECT_HASH_EQ(kSfxLosslessHash, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackEncrypted) {\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n set_encrypted_media_init_data_cb(\n base::BindRepeating(&FakeEncryptedMedia::OnEncryptedMediaInitData,\n base::Unretained(&encrypted_media)));\n\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240-av_enc-av.webm\",\n encrypted_media.GetCdmContext()));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, FlacPlaybackHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx.flac\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(std::string(kNullVideoHash), GetVideoHash());\n EXPECT_HASH_EQ(kSfxLosslessHash, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback) {\n TestMediaSource source(\"bear-320x240.webm\", 219229);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(k320WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_TRUE(demuxer_->GetTimelineOffset().is_null());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EosBeforeDemuxerOpened) {\n // After appending only a partial initialization segment, marking end of\n // stream should let the test complete with error indicating failure to open\n // demuxer. Here we append only the first 10 bytes of a test WebM, definitely\n // less than the ~4400 bytes needed to parse its full initialization segment.\n TestMediaSource source(\"bear-320x240.webm\", 10);\n source.set_do_eos_after_next_append(true);\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n}\n\nTEST_F(PipelineIntegrationTest, MSE_CorruptedFirstMediaSegment) {\n // After successful initialization segment append completing demuxer opening,\n // immediately append a corrupted media segment to trigger parse error while\n // pipeline is still completing renderer setup.\n TestMediaSource source(\"bear-320x240_corrupted_after_init_segment.webm\",\n 4380);\n source.set_expected_append_result(\n TestMediaSource::ExpectedAppendResult::kFailure);\n EXPECT_EQ(CHUNK_DEMUXER_ERROR_APPEND_FAILED,\n StartPipelineWithMediaSource(&source));\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_Live) {\n TestMediaSource source(\"bear-320x240-live.webm\", 219221);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(k320WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(kLiveTimelineOffset(), demuxer_->GetTimelineOffset());\n source.Shutdown();\n Stop();\n}\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_AV1_WebM) {\n TestMediaSource source(\"bear-av1.webm\", 18898);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_AV1_10bit_WebM) {\n TestMediaSource source(\"bear-av1-320x180-10bit.webm\", 19076);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_YUV420P10);\n Stop();\n}\n\n#endif\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VP9_WebM) {\n TestMediaSource source(\"bear-vp9.webm\", 67504);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VP9_BlockGroup_WebM) {\n TestMediaSource source(\"bear-vp9-blockgroup.webm\", 67871);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VP8A_WebM) {\n TestMediaSource source(\"bear-vp8a.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP8AWebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_AV1_WebM) {\n TestMediaSource source(\"bear-av1-480x360.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n\n const gfx::Size kNewSize(640, 480);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-av1-640x480.webm\");\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + kAV1640WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n#endif // BUILDFLAG(ENABLE_AV1_DECODER)\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_WebM) {\n TestMediaSource source(\"bear-320x240-16x9-aspect.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n\n const gfx::Size kNewSize(640, 360);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-640x360.webm\");\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k640WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_AudioConfigChange_WebM) {\n TestMediaSource source(\"bear-320x240-audio-only.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n\n const int kNewSampleRate = 48000;\n EXPECT_CALL(*this,\n OnAudioConfigChange(::testing::Property(\n &AudioDecoderConfig::samples_per_second, kNewSampleRate)))\n .Times(1);\n\n // A higher sample rate will cause the audio buffer durations to change. This\n // should not manifest as a timestamp gap in AudioTimestampValidator.\n // Timestamp expectations should be reset across config changes.\n EXPECT_MEDIA_LOG(Not(HasSubstr(\"Large timestamp gap detected\")))\n .Times(AnyNumber());\n\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-320x240-audio-only-48khz.webm\");\n ASSERT_TRUE(source.AppendAtTime(base::Seconds(kAppendTimeSec),\n second_file->data(),\n second_file->data_size()));\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(3774, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_RemoveUpdatesBufferedRanges) {\n TestMediaSource source(\"bear-320x240.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n\n auto buffered_ranges = pipeline_->GetBufferedTimeRanges();\n EXPECT_EQ(1u, buffered_ranges.size());\n EXPECT_EQ(0, buffered_ranges.start(0).InMilliseconds());\n EXPECT_EQ(k320WebMFileDurationMs, buffered_ranges.end(0).InMilliseconds());\n\n source.RemoveRange(base::Milliseconds(1000),\n base::Milliseconds(k320WebMFileDurationMs));\n task_environment_.RunUntilIdle();\n\n buffered_ranges = pipeline_->GetBufferedTimeRanges();\n EXPECT_EQ(1u, buffered_ranges.size());\n EXPECT_EQ(0, buffered_ranges.start(0).InMilliseconds());\n EXPECT_EQ(1001, buffered_ranges.end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\n// This test case imitates media playback with advancing media_time and\n// continuously adding new data. At some point we should reach the buffering\n// limit, after that MediaSource should evict some buffered data and that\n// evicted data shold be reflected in the change of media::Pipeline buffered\n// ranges (returned by GetBufferedTimeRanges). At that point the buffered ranges\n// will no longer start at 0.\nTEST_F(PipelineIntegrationTest, MSE_FillUpBuffer) {\n const char* input_filename = \"bear-320x240.webm\";\n TestMediaSource source(input_filename, kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.SetMemoryLimits(1048576);\n\n scoped_refptr<DecoderBuffer> file = ReadTestDataFile(input_filename);\n\n auto buffered_ranges = pipeline_->GetBufferedTimeRanges();\n EXPECT_EQ(1u, buffered_ranges.size());\n do {\n // Advance media_time to the end of the currently buffered data\n base::TimeDelta media_time = buffered_ranges.end(0);\n source.Seek(media_time);\n // Ask MediaSource to evict buffered data if buffering limit has been\n // reached (the data will be evicted from the front of the buffered range).\n source.EvictCodedFrames(media_time, file->data_size());\n source.AppendAtTime(media_time, file->data(), file->data_size());\n task_environment_.RunUntilIdle();\n\n buffered_ranges = pipeline_->GetBufferedTimeRanges();\n } while (buffered_ranges.size() == 1 &&\n buffered_ranges.start(0) == base::Seconds(0));\n\n EXPECT_EQ(1u, buffered_ranges.size());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_GCWithDisabledVideoStream) {\n const char* input_filename = \"bear-320x240.webm\";\n TestMediaSource source(input_filename, kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n scoped_refptr<DecoderBuffer> file = ReadTestDataFile(input_filename);\n // The input file contains audio + video data. Assuming video data size is\n // larger than audio, so setting memory limits to half of file data_size will\n // ensure that video SourceBuffer is above memory limit and the audio\n // SourceBuffer is below the memory limit.\n source.SetMemoryLimits(file->data_size() / 2);\n\n // Disable the video track and start playback. Renderer won't read from the\n // disabled video stream, so the video stream read position should be 0.\n OnSelectedVideoTrackChanged(absl::nullopt);\n Play();\n\n // Wait until audio playback advances past 2 seconds and call MSE GC algorithm\n // to prepare for more data to be appended.\n base::TimeDelta media_time = base::Seconds(2);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(media_time));\n // At this point the video SourceBuffer is over the memory limit (see the\n // SetMemoryLimits comment above), but MSE GC should be able to remove some\n // of video data and return true indicating success, even though no data has\n // been read from the disabled video stream and its read position is 0.\n ASSERT_TRUE(source.EvictCodedFrames(media_time, 10));\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_Encrypted_WebM) {\n TestMediaSource source(\"bear-320x240-16x9-aspect-av_enc-av.webm\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n const gfx::Size kNewSize(640, 360);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-640x360-av_enc-av.webm\");\n\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k640WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_ClearThenEncrypted_WebM) {\n TestMediaSource source(\"bear-320x240-16x9-aspect.webm\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n const gfx::Size kNewSize(640, 360);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-640x360-av_enc-av.webm\");\n\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k640WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\n// Config change from encrypted to clear is allowed by the demuxer, and is\n// supported by the Renderer.\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_EncryptedThenClear_WebM) {\n TestMediaSource source(\"bear-320x240-16x9-aspect-av_enc-av.webm\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n const gfx::Size kNewSize(640, 360);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-640x360.webm\");\n\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k640WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\n#if defined(ARCH_CPU_X86_FAMILY) && !defined(OS_ANDROID)\nTEST_F(PipelineIntegrationTest, BasicPlaybackHi10PVP9) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x180-hi10p-vp9.webm\"));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHi12PVP9) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x180-hi12p-vp9.webm\"));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n#endif\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_AV1_MP4) {\n TestMediaSource source(\"bear-av1.mp4\", 24355);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_AV1_Audio_OPUS_MP4) {\n TestMediaSource source(\"bear-av1-opus.mp4\", 50253);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_AV1_10bit_MP4) {\n TestMediaSource source(\"bear-av1-320x180-10bit.mp4\", 19658);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAV110bitMp4FileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_YUV420P10);\n Stop();\n}\n#endif\n\nTEST_F(PipelineIntegrationTest, MSE_FlacInMp4_Hashed) {\n TestMediaSource source(\"sfx-flac_frag.mp4\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(288, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(std::string(kNullVideoHash), GetVideoHash());\n EXPECT_HASH_EQ(kSfxLosslessHash, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHashed_MP3) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx.mp3\", kHashed));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Verify codec delay and preroll are stripped.\n EXPECT_HASH_EQ(\"1.30,2.72,4.56,5.08,3.74,2.03,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHashed_FlacInMp4) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx-flac.mp4\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(std::string(kNullVideoHash), GetVideoHash());\n EXPECT_HASH_EQ(kSfxLosslessHash, GetAudioHash());\n}\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nTEST_F(PipelineIntegrationTest, BasicPlayback_VideoOnly_AV1_Mp4) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-av1.mp4\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlayback_VideoOnly_MonoAV1_Mp4) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-mono-av1.mp4\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlayback_Video_AV1_Audio_Opus_Mp4) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-av1-opus.mp4\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n#endif\n\nclass Mp3FastSeekParams {\n public:\n Mp3FastSeekParams(const char* filename, const char* hash)\n : filename(filename), hash(hash) {}\n const char* filename;\n const char* hash;\n};\n\nclass Mp3FastSeekIntegrationTest\n : public PipelineIntegrationTest,\n public testing::WithParamInterface<Mp3FastSeekParams> {};\n\nTEST_P(Mp3FastSeekIntegrationTest, FastSeekAccuracy_MP3) {\n Mp3FastSeekParams config = GetParam();\n ASSERT_EQ(PIPELINE_OK, Start(config.filename, kHashed));\n\n // The XING TOC is inaccurate. We don't use it for CBR, we tolerate it for VBR\n // (best option for fast seeking; see Mp3SeekFFmpegDemuxerTest). The chosen\n // seek time exposes inaccuracy in TOC such that the hash will change if seek\n // logic is regressed. See https://crbug.com/545914.\n //\n // Quick TOC design (not pretty!):\n // - All MP3 TOCs are 100 bytes\n // - Each byte is read as a uint8_t; value between 0 - 255.\n // - The index into this array is the numerator in the ratio: index / 100.\n // This fraction represents a playback time as a percentage of duration.\n // - The value at the given index is the numerator in the ratio: value / 256.\n // This fraction represents a byte offset as a percentage of the file size.\n //\n // For CBR files, each frame is the same size, so the offset for time of\n // (0.98 * duration) should be around (0.98 * file size). This is 250.88 / 256\n // but the numerator will be truncated in the TOC as 250, losing precision.\n base::TimeDelta seek_time(0.98 * pipeline_->GetMediaDuration());\n\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_HASH_EQ(config.hash, GetAudioHash());\n}\n\n// CBR seeks should always be fast and accurate.\nINSTANTIATE_TEST_SUITE_P(\n CBRSeek_HasTOC,\n Mp3FastSeekIntegrationTest,\n ::testing::Values(Mp3FastSeekParams(\"bear-audio-10s-CBR-has-TOC.mp3\",\n \"-0.58,0.61,3.08,2.55,0.90,-1.20,\")));\n\nINSTANTIATE_TEST_SUITE_P(\n CBRSeeks_NoTOC,\n Mp3FastSeekIntegrationTest,\n ::testing::Values(Mp3FastSeekParams(\"bear-audio-10s-CBR-no-TOC.mp3\",\n \"1.16,0.68,1.25,0.60,1.66,0.93,\")));\n\n// VBR seeks can be fast *OR* accurate, but not both. We chose fast.\nINSTANTIATE_TEST_SUITE_P(\n VBRSeeks_HasTOC,\n Mp3FastSeekIntegrationTest,\n ::testing::Values(Mp3FastSeekParams(\"bear-audio-10s-VBR-has-TOC.mp3\",\n \"-0.08,-0.53,0.75,0.89,2.44,0.73,\")));\n\nINSTANTIATE_TEST_SUITE_P(\n VBRSeeks_NoTOC,\n Mp3FastSeekIntegrationTest,\n ::testing::Values(Mp3FastSeekParams(\"bear-audio-10s-VBR-no-TOC.mp3\",\n \"-0.22,0.80,1.19,0.73,-0.31,-1.12,\")));\n\nTEST_F(PipelineIntegrationTest, MSE_MP3) {\n TestMediaSource source(\"sfx.mp3\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(313, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n EXPECT_TRUE(WaitUntilOnEnded());\n\n // Verify that codec delay was stripped.\n EXPECT_HASH_EQ(\"1.01,2.71,4.18,4.32,3.04,1.12,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_MP3_TimestampOffset) {\n TestMediaSource source(\"sfx.mp3\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n EXPECT_EQ(313, source.last_timestamp_offset().InMilliseconds());\n\n // There are 576 silent frames at the start of this mp3. The second append\n // should trim them off.\n const base::TimeDelta mp3_preroll_duration = base::Seconds(576.0 / 44100);\n const base::TimeDelta append_time =\n source.last_timestamp_offset() - mp3_preroll_duration;\n\n scoped_refptr<DecoderBuffer> second_file = ReadTestDataFile(\"sfx.mp3\");\n source.AppendAtTimeWithWindow(append_time, append_time + mp3_preroll_duration,\n kInfiniteDuration, second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(613, source.last_timestamp_offset().InMilliseconds());\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(613, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_MP3_Icecast) {\n TestMediaSource source(\"icy_sfx.mp3\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n Play();\n\n EXPECT_TRUE(WaitUntilOnEnded());\n}\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\n\nTEST_F(PipelineIntegrationTest, MSE_ADTS) {\n TestMediaSource source(\"sfx.adts\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(325, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n EXPECT_TRUE(WaitUntilOnEnded());\n\n // Verify that nothing was stripped.\n EXPECT_HASH_EQ(\"0.46,1.72,4.26,4.57,3.39,1.53,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ADTS_TimestampOffset) {\n TestMediaSource source(\"sfx.adts\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n EXPECT_EQ(325, source.last_timestamp_offset().InMilliseconds());\n\n // Trim off multiple frames off the beginning of the segment which will cause\n // the first decoded frame to be incorrect if preroll isn't implemented.\n const base::TimeDelta adts_preroll_duration =\n base::Seconds(2.5 * 1024 / 44100);\n const base::TimeDelta append_time =\n source.last_timestamp_offset() - adts_preroll_duration;\n\n scoped_refptr<DecoderBuffer> second_file = ReadTestDataFile(\"sfx.adts\");\n source.AppendAtTimeWithWindow(\n append_time, append_time + adts_preroll_duration, kInfiniteDuration,\n second_file->data(), second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(592, source.last_timestamp_offset().InMilliseconds());\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(592, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n // Verify preroll is stripped.\n EXPECT_HASH_EQ(\"-1.76,-1.35,-0.72,0.70,1.24,0.52,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHashed_ADTS) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx.adts\", kHashed));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Verify codec delay and preroll are stripped.\n EXPECT_HASH_EQ(\"1.80,1.66,2.31,3.26,4.46,3.36,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHashed_M4A) {\n ASSERT_EQ(PIPELINE_OK,\n Start(\"440hz-10ms.m4a\", kHashed | kUnreliableDuration));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Verify preroll is stripped. This file uses a preroll of 2112 frames, which\n // spans all three packets in the file. Postroll is not correctly stripped at\n // present; see the note below.\n EXPECT_HASH_EQ(\"3.84,4.25,4.33,3.58,3.27,3.16,\", GetAudioHash());\n\n // Note the above hash is incorrect since the <audio> path doesn't properly\n // trim trailing silence at end of stream for AAC decodes. This isn't a huge\n // deal since plain src= tags can't splice streams and MSE requires an\n // explicit append window for correctness.\n //\n // The WebAudio path via AudioFileReader computes this correctly, so the hash\n // below is taken from that test.\n //\n // EXPECT_HASH_EQ(\"3.77,4.53,4.75,3.48,3.67,3.76,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHi10P) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x180-hi10p.mp4\"));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nstd::vector<std::unique_ptr<VideoDecoder>> CreateFailingVideoDecoder() {\n std::vector<std::unique_ptr<VideoDecoder>> failing_video_decoder;\n failing_video_decoder.push_back(std::make_unique<FailingVideoDecoder>());\n return failing_video_decoder;\n}\n\nTEST_F(PipelineIntegrationTest, BasicFallback) {\n ASSERT_EQ(PIPELINE_OK,\n Start(\"bear.mp4\", kNormal,\n base::BindRepeating(&CreateFailingVideoDecoder)));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_MP4) {\n TestMediaSource source(\"bear-640x360-av_frag.mp4\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n\n const gfx::Size kNewSize(1280, 720);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-1280x720-av_frag.mp4\");\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k1280IsoFileDurationMsAV,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_Encrypted_MP4_CENC_VideoOnly) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-mdat.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n const gfx::Size kNewSize(1280, 720);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-1280x720-v_frag-cenc.mp4\");\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(33, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k1280IsoFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_ConfigChange_Encrypted_MP4_CENC_KeyRotation_VideoOnly) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-key_rotation.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new RotatingKeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(1280, 720))).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-1280x720-v_frag-cenc-key_rotation.mp4\");\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(33, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k1280IsoFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_ClearThenEncrypted_MP4_CENC) {\n TestMediaSource source(\"bear-640x360-v_frag.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(1280, 720))).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-1280x720-v_frag-cenc.mp4\");\n source.set_expected_append_result(\n TestMediaSource::ExpectedAppendResult::kFailure);\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n\n source.EndOfStream();\n\n EXPECT_EQ(33, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k1280IsoFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\n// Config changes from encrypted to clear are not currently supported.\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_EncryptedThenClear_MP4_CENC) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-mdat.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-1280x720-av_frag.mp4\");\n\n source.set_expected_append_result(\n TestMediaSource::ExpectedAppendResult::kFailure);\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(33, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n\n // The second video was not added, so its time has not been added.\n EXPECT_EQ(k640IsoCencFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n EXPECT_EQ(CHUNK_DEMUXER_ERROR_APPEND_FAILED, WaitUntilEndedOrError());\n source.Shutdown();\n}\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n\n// Verify files which change configuration midstream fail gracefully.\nTEST_F(PipelineIntegrationTest, MidStreamConfigChangesFail) {\n ASSERT_EQ(PIPELINE_OK, Start(\"midstream_config_change.mp3\"));\n Play();\n ASSERT_EQ(WaitUntilEndedOrError(), PIPELINE_ERROR_DECODE);\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlayback_16x9AspectRatio) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240-16x9-aspect.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_WebM) {\n TestMediaSource source(\"bear-320x240-av_enc-av.webm\", 219816);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_ClearStart_WebM) {\n TestMediaSource source(\"bear-320x240-av_enc-av_clear-1s.webm\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_NoEncryptedFrames_WebM) {\n TestMediaSource source(\"bear-320x240-av_enc-av_clear-all.webm\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new NoResponseApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_MP4_VP9_CENC_VideoOnly) {\n TestMediaSource source(\"bear-320x240-v_frag-vp9-cenc.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VideoOnly_MP4_VP9) {\n TestMediaSource source(\"bear-320x240-v_frag-vp9.mp4\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_MP4_CENC_VideoOnly) {\n TestMediaSource source(\"bear-1280x720-v_frag-cenc.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_MP4_CENC_AudioOnly) {\n TestMediaSource source(\"bear-1280x720-a_frag-cenc.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_EncryptedPlayback_NoEncryptedFrames_MP4_CENC_VideoOnly) {\n TestMediaSource source(\"bear-1280x720-v_frag-cenc_clear-all.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new NoResponseApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_Mp2ts_AAC_HE_SBR_Audio) {\n TestMediaSource source(\"bear-1280x720-aac_he.ts\", kAppendWholeFile);\n#if BUILDFLAG(ENABLE_MSE_MPEG2TS_STREAM_PARSER)\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n // Check that SBR is taken into account correctly by mpeg2ts parser. When an\n // SBR stream is parsed as non-SBR stream, then audio frame durations are\n // calculated incorrectly and that leads to gaps in buffered ranges (so this\n // check will fail) and eventually leads to stalled playback.\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n#else\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#endif\n}\n\nTEST_F(PipelineIntegrationTest, MSE_Mpeg2ts_MP3Audio_Mp4a_6B) {\n TestMediaSource source(\"bear-audio-mp4a.6B.ts\",\n \"video/mp2t; codecs=\\\"mp4a.6B\\\"\", kAppendWholeFile);\n#if BUILDFLAG(ENABLE_MSE_MPEG2TS_STREAM_PARSER)\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n#else\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#endif\n}\n\nTEST_F(PipelineIntegrationTest, MSE_Mpeg2ts_MP3Audio_Mp4a_69) {\n TestMediaSource source(\"bear-audio-mp4a.69.ts\",\n \"video/mp2t; codecs=\\\"mp4a.69\\\"\", kAppendWholeFile);\n#if BUILDFLAG(ENABLE_MSE_MPEG2TS_STREAM_PARSER)\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n#else\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#endif\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_EncryptedPlayback_NoEncryptedFrames_MP4_CENC_AudioOnly) {\n TestMediaSource source(\"bear-1280x720-a_frag-cenc_clear-all.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new NoResponseApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\n// Older packagers saved sample encryption auxiliary information in the\n// beginning of mdat box.\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_MP4_CENC_MDAT_Video) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-mdat.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_MP4_CENC_SENC_Video) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-senc.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\n// 'SAIZ' and 'SAIO' boxes contain redundant information which is already\n// available in 'SENC' box. Although 'SAIZ' and 'SAIO' boxes are required per\n// CENC spec for backward compatibility reasons, but we do not use the two\n// boxes if 'SENC' box is present, so the code should work even if the two\n// boxes are not present.\nTEST_F(PipelineIntegrationTest,\n MSE_EncryptedPlayback_MP4_CENC_SENC_NO_SAIZ_SAIO_Video) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-senc-no-saiz-saio.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_EncryptedPlayback_MP4_CENC_KeyRotation_Video) {\n TestMediaSource source(\"bear-1280x720-v_frag-cenc-key_rotation.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new RotatingKeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_EncryptedPlayback_MP4_CENC_KeyRotation_Audio) {\n TestMediaSource source(\"bear-1280x720-a_frag-cenc-key_rotation.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new RotatingKeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VideoOnly_MP4_AVC3) {\n TestMediaSource source(\"bear-1280x720-v_frag-avc3.mp4\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(k1280IsoAVC3FileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VideoOnly_MP4_HEVC) {\n // HEVC demuxing might be enabled even on platforms that don't support HEVC\n // decoding. For those cases we'll get DECODER_ERROR_NOT_SUPPORTED, which\n // indicates indicates that we did pass media mime type checks and attempted\n // to actually demux and decode the stream. On platforms that support both\n // demuxing and decoding we'll get PIPELINE_OK.\n const char kMp4HevcVideoOnly[] = \"video/mp4; codecs=\\\"hvc1.1.6.L93.B0\\\"\";\n TestMediaSource source(\"bear-320x240-v_frag-hevc.mp4\", kMp4HevcVideoOnly,\n kAppendWholeFile);\n#if BUILDFLAG(ENABLE_PLATFORM_HEVC)\n#if BUILDFLAG(ENABLE_PLATFORM_ENCRYPTED_HEVC)\n // HEVC is only supported through EME under this build flag. So this\n // unencrypted track cannot be demuxed.\n source.set_expected_append_result(\n TestMediaSource::ExpectedAppendResult::kFailure);\n EXPECT_EQ(\n CHUNK_DEMUXER_ERROR_APPEND_FAILED,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#else\n PipelineStatus status = StartPipelineWithMediaSource(&source);\n EXPECT_TRUE(status == PIPELINE_OK || status == DECODER_ERROR_NOT_SUPPORTED);\n#endif // BUILDFLAG(ENABLE_PLATFORM_ENCRYPTED_HEVC)\n#else\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#endif // BUILDFLAG(ENABLE_PLATFORM_HEVC)\n}\n\n// Same test as above but using a different mime type.\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VideoOnly_MP4_HEV1) {\n const char kMp4Hev1VideoOnly[] = \"video/mp4; codecs=\\\"hev1.1.6.L93.B0\\\"\";\n TestMediaSource source(\"bear-320x240-v_frag-hevc.mp4\", kMp4Hev1VideoOnly,\n kAppendWholeFile);\n#if BUILDFLAG(ENABLE_PLATFORM_HEVC)\n#if BUILDFLAG(ENABLE_PLATFORM_ENCRYPTED_HEVC)\n // HEVC is only supported through EME under this build flag. So this\n // unencrypted track cannot be demuxed.\n source.set_expected_append_result(\n TestMediaSource::ExpectedAppendResult::kFailure);\n EXPECT_EQ(\n CHUNK_DEMUXER_ERROR_APPEND_FAILED,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#else\n PipelineStatus status = StartPipelineWithMediaSource(&source);\n EXPECT_TRUE(status == PIPELINE_OK || status == DECODER_ERROR_NOT_SUPPORTED);\n#endif // BUILDFLAG(ENABLE_PLATFORM_ENCRYPTED_HEVC)\n#else\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#endif // BUILDFLAG(ENABLE_PLATFORM_HEVC)\n}\n\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n\nTEST_F(PipelineIntegrationTest, SeekWhilePaused) {\n#if defined(OS_MAC)\n // Enable scoped logs to help track down hangs. http://crbug.com/1014646\n ScopedVerboseLogEnabler scoped_log_enabler;\n#endif\n\n // This test is flaky without kNoClockless, see crbug.com/796250.\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kNoClockless));\n\n base::TimeDelta duration(pipeline_->GetMediaDuration());\n base::TimeDelta start_seek_time(duration / 4);\n base::TimeDelta seek_time(duration * 3 / 4);\n\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(start_seek_time));\n Pause();\n ASSERT_TRUE(Seek(seek_time));\n EXPECT_EQ(seek_time, pipeline_->GetMediaTime());\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Make sure seeking after reaching the end works as expected.\n Pause();\n ASSERT_TRUE(Seek(seek_time));\n EXPECT_EQ(seek_time, pipeline_->GetMediaTime());\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, SeekWhilePlaying) {\n#if defined(OS_MAC)\n // Enable scoped logs to help track down hangs. http://crbug.com/1014646\n ScopedVerboseLogEnabler scoped_log_enabler;\n#endif\n\n // This test is flaky without kNoClockless, see crbug.com/796250.\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kNoClockless));\n\n base::TimeDelta duration(pipeline_->GetMediaDuration());\n base::TimeDelta start_seek_time(duration / 4);\n base::TimeDelta seek_time(duration * 3 / 4);\n\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(start_seek_time));\n ASSERT_TRUE(Seek(seek_time));\n EXPECT_GE(pipeline_->GetMediaTime(), seek_time);\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Make sure seeking after reaching the end works as expected.\n ASSERT_TRUE(Seek(seek_time));\n EXPECT_GE(pipeline_->GetMediaTime(), seek_time);\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, SuspendWhilePaused) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\"));\n\n base::TimeDelta duration(pipeline_->GetMediaDuration());\n base::TimeDelta start_seek_time(duration / 4);\n base::TimeDelta seek_time(duration * 3 / 4);\n\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(start_seek_time));\n Pause();\n\n // Suspend while paused.\n ASSERT_TRUE(Suspend());\n\n // Resuming the pipeline will create a new Renderer,\n // which in turn will trigger video size and opacity notifications.\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(320, 240))).Times(1);\n EXPECT_CALL(*this, OnVideoOpacityChange(true)).Times(1);\n\n ASSERT_TRUE(Resume(seek_time));\n EXPECT_GE(pipeline_->GetMediaTime(), seek_time);\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, SuspendWhilePlaying) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\"));\n\n base::TimeDelta duration(pipeline_->GetMediaDuration());\n base::TimeDelta start_seek_time(duration / 4);\n base::TimeDelta seek_time(duration * 3 / 4);\n\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(start_seek_time));\n ASSERT_TRUE(Suspend());\n\n // Resuming the pipeline will create a new Renderer,\n // which in turn will trigger video size and opacity notifications.\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(320, 240))).Times(1);\n EXPECT_CALL(*this, OnVideoOpacityChange(true)).Times(1);\n\n ASSERT_TRUE(Resume(seek_time));\n EXPECT_GE(pipeline_->GetMediaTime(), seek_time);\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\nTEST_F(PipelineIntegrationTest, Rotated_Metadata_0) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_rotate_0.mp4\"));\n ASSERT_EQ(VIDEO_ROTATION_0,\n metadata_.video_decoder_config.video_transformation().rotation);\n}\n\nTEST_F(PipelineIntegrationTest, Rotated_Metadata_90) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_rotate_90.mp4\"));\n ASSERT_EQ(VIDEO_ROTATION_90,\n metadata_.video_decoder_config.video_transformation().rotation);\n}\n\nTEST_F(PipelineIntegrationTest, Rotated_Metadata_180) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_rotate_180.mp4\"));\n ASSERT_EQ(VIDEO_ROTATION_180,\n metadata_.video_decoder_config.video_transformation().rotation);\n}\n\nTEST_F(PipelineIntegrationTest, Rotated_Metadata_270) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_rotate_270.mp4\"));\n ASSERT_EQ(VIDEO_ROTATION_270,\n metadata_.video_decoder_config.video_transformation().rotation);\n}\n\nTEST_F(PipelineIntegrationTest, Spherical) {\n ASSERT_EQ(PIPELINE_OK, Start(\"spherical.mp4\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(\"1cb7f980020d99ea852e22dd6bd8d9de\", GetVideoHash());\n}\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n\n// Verify audio decoder & renderer can handle aborted demuxer reads.\nTEST_F(PipelineIntegrationTest, MSE_ChunkDemuxerAbortRead_AudioOnly) {\n ASSERT_TRUE(TestSeekDuringRead(\"bear-320x240-audio-only.webm\", 16384,\n base::Milliseconds(464),\n base::Milliseconds(617), 0x10CA, 19730));\n}\n\n// Verify video decoder & renderer can handle aborted demuxer reads.\nTEST_F(PipelineIntegrationTest, MSE_ChunkDemuxerAbortRead_VideoOnly) {\n ASSERT_TRUE(TestSeekDuringRead(\"bear-320x240-video-only.webm\", 32768,\n base::Milliseconds(167),\n base::Milliseconds(1668), 0x1C896, 65536));\n}\n\nTEST_F(PipelineIntegrationTest,\n BasicPlayback_AudioOnly_Opus_4ch_ChannelMapping2_WebM) {\n ASSERT_EQ(\n PIPELINE_OK,\n Start(\"bear-opus-end-trimming-4ch-channelmapping2.webm\", kWebAudio));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest,\n BasicPlayback_AudioOnly_Opus_11ch_ChannelMapping2_WebM) {\n ASSERT_EQ(\n PIPELINE_OK,\n Start(\"bear-opus-end-trimming-11ch-channelmapping2.webm\", kWebAudio));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Verify that VP9 video in WebM containers can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VideoOnly_VP9_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nTEST_F(PipelineIntegrationTest, BasicPlayback_VideoOnly_AV1_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-av1.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n#endif\n\n// Verify that VP9 video and Opus audio in the same WebM container can be played\n// back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP9_Opus_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9-opus.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Verify that VP8 video with alpha channel can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP8A_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp8a.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I420A);\n}\n\n// Verify that VP8A video with odd width/height can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP8A_Odd_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp8a-odd-dimensions.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I420A);\n}\n\n// Verify that VP9 video with odd width/height can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP9_Odd_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9-odd-dimensions.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Verify that VP9 video with alpha channel can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP9A_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9a.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I420A);\n}\n\n// Verify that VP9A video with odd width/height can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP9A_Odd_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9a-odd-dimensions.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I420A);\n}\n\n// Verify that VP9 video with 4:4:4 subsampling can be played back.\nTEST_F(PipelineIntegrationTest, P444_VP9_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240-P444.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I444);\n}\n\n// Verify that frames of VP9 video in the BT.709 color space have the YV12HD\n// format.\nTEST_F(PipelineIntegrationTest, BT709_VP9_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9-bt709.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I420);\n EXPECT_COLOR_SPACE_EQ(last_video_frame_color_space_,\n gfx::ColorSpace::CreateREC709());\n}\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\n// Verify that full-range H264 video has the right color space.\nTEST_F(PipelineIntegrationTest, Fullrange_H264) {\n ASSERT_EQ(PIPELINE_OK, Start(\"blackwhite_yuvj420p.mp4\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_COLOR_SPACE_EQ(last_video_frame_color_space_,\n gfx::ColorSpace::CreateJpeg());\n}\n#endif\n\nTEST_F(PipelineIntegrationTest, HD_VP9_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-1280x720.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Verify that videos with an odd frame size playback successfully.\nTEST_F(PipelineIntegrationTest, BasicPlayback_OddVideoSize) {\n ASSERT_EQ(PIPELINE_OK, Start(\"butterfly-853x480.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Verify that OPUS audio in a webm which reports a 44.1kHz sample rate plays\n// correctly at 48kHz\nTEST_F(PipelineIntegrationTest, BasicPlayback_Opus441kHz) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx-opus-441.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(48000, demuxer_->GetFirstStream(DemuxerStream::AUDIO)\n ->audio_decoder_config()\n .samples_per_second());\n}\n\n// Same as above but using MediaSource.\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_Opus441kHz) {\n TestMediaSource source(\"sfx-opus-441.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n EXPECT_EQ(48000, demuxer_->GetFirstStream(DemuxerStream::AUDIO)\n ->audio_decoder_config()\n .samples_per_second());\n}\n\n// Ensures audio-only playback with missing or negative timestamps works. Tests\n// the common live-streaming case for chained ogg. See http://crbug.com/396864.\nTEST_F(PipelineIntegrationTest, BasicPlaybackChainedOgg) {\n ASSERT_EQ(PIPELINE_OK, Start(\"double-sfx.ogg\", kUnreliableDuration));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n ASSERT_EQ(base::TimeDelta(), demuxer_->GetStartTime());\n}\n\nTEST_F(PipelineIntegrationTest, TrailingGarbage) {\n ASSERT_EQ(PIPELINE_OK, Start(\"trailing-garbage.mp3\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Ensures audio-video playback with missing or negative timestamps fails\n// instead of crashing. See http://crbug.com/396864.\nTEST_F(PipelineIntegrationTest, BasicPlaybackChainedOggVideo) {\n ASSERT_EQ(DEMUXER_ERROR_COULD_NOT_PARSE,\n Start(\"double-bear.ogv\", kUnreliableDuration));\n}\n\n// Tests that we signal ended even when audio runs longer than video track.\nTEST_F(PipelineIntegrationTest, BasicPlaybackAudioLongerThanVideo) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_audio_longer_than_video.ogv\"));\n // Audio track is 2000ms. Video track is 1001ms. Duration should be higher\n // of the two.\n EXPECT_EQ(2000, pipeline_->GetMediaDuration().InMilliseconds());\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Tests that we signal ended even when audio runs shorter than video track.\nTEST_F(PipelineIntegrationTest, BasicPlaybackAudioShorterThanVideo) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_audio_shorter_than_video.ogv\"));\n // Audio track is 500ms. Video track is 1001ms. Duration should be higher of\n // the two.\n EXPECT_EQ(1001, pipeline_->GetMediaDuration().InMilliseconds());\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackPositiveStartTime) {\n ASSERT_EQ(PIPELINE_OK, Start(\"nonzero-start-time.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n ASSERT_EQ(base::Microseconds(396000), demuxer_->GetStartTime());\n}\n\n} // namespace media\n" + }, + "written_data": { + "media/test/pipeline_integration_test.cc": "// Copyright (c) 2012 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include <stddef.h>\n#include <stdint.h>\n\n#include <memory>\n#include <utility>\n\n#include \"base/bind.h\"\n#include \"base/callback_helpers.h\"\n#include \"base/command_line.h\"\n#include \"base/macros.h\"\n#include \"base/memory/ref_counted.h\"\n#include \"base/run_loop.h\"\n#include \"base/strings/string_split.h\"\n#include \"base/strings/string_util.h\"\n#include \"base/threading/thread_task_runner_handle.h\"\n#include \"build/build_config.h\"\n#include \"media/base/cdm_callback_promise.h\"\n#include \"media/base/cdm_key_information.h\"\n#include \"media/base/decoder_buffer.h\"\n#include \"media/base/media.h\"\n#include \"media/base/media_switches.h\"\n#include \"media/base/media_tracks.h\"\n#include \"media/base/mock_media_log.h\"\n#include \"media/base/test_data_util.h\"\n#include \"media/base/timestamp_constants.h\"\n#include \"media/cdm/aes_decryptor.h\"\n#include \"media/cdm/json_web_key.h\"\n#include \"media/media_buildflags.h\"\n#include \"media/renderers/renderer_impl.h\"\n#include \"media/test/fake_encrypted_media.h\"\n#include \"media/test/pipeline_integration_test_base.h\"\n#include \"media/test/test_media_source.h\"\n#include \"testing/gmock/include/gmock/gmock.h\"\n#include \"url/gurl.h\"\n\n#define EXPECT_HASH_EQ(a, b) EXPECT_EQ(a, b)\n#define EXPECT_VIDEO_FORMAT_EQ(a, b) EXPECT_EQ(a, b)\n#define EXPECT_COLOR_SPACE_EQ(a, b) EXPECT_EQ(a, b)\n\nusing ::testing::_;\nusing ::testing::AnyNumber;\nusing ::testing::AtLeast;\nusing ::testing::AtMost;\nusing ::testing::HasSubstr;\nusing ::testing::SaveArg;\n\nnamespace media {\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nconst int kAV110bitMp4FileDurationMs = 2735;\nconst int kAV1640WebMFileDurationMs = 2736;\n#endif // BUILDFLAG(ENABLE_AV1_DECODER)\n\n// Constants for the Media Source config change tests.\nconst int kAppendTimeSec = 1;\nconst int kAppendTimeMs = kAppendTimeSec * 1000;\nconst int k320WebMFileDurationMs = 2736;\nconst int k640WebMFileDurationMs = 2762;\nconst int kVP9WebMFileDurationMs = 2736;\nconst int kVP8AWebMFileDurationMs = 2734;\n\nstatic const char kSfxLosslessHash[] = \"3.03,2.86,2.99,3.31,3.57,4.06,\";\n\n#if defined(OPUS_FIXED_POINT)\n// NOTE: These hashes are specific to ARM devices, which use fixed-point Opus\n// implementation. x86 uses floating-point Opus, so x86 hashes won't match\n#if defined(ARCH_CPU_ARM64)\nstatic const char kOpusEndTrimmingHash_1[] =\n \"-4.58,-5.68,-6.53,-6.28,-4.35,-3.59,\";\nstatic const char kOpusEndTrimmingHash_2[] =\n \"-11.92,-11.11,-8.25,-7.10,-7.84,-10.00,\";\nstatic const char kOpusEndTrimmingHash_3[] =\n \"-13.33,-14.38,-13.68,-11.66,-10.18,-10.49,\";\nstatic const char kOpusSmallCodecDelayHash_1[] =\n \"-0.48,-0.09,1.27,1.06,1.54,-0.22,\";\nstatic const char kOpusSmallCodecDelayHash_2[] =\n \"0.29,0.15,-0.19,0.25,0.68,0.83,\";\nstatic const char kOpusMonoOutputHash[] = \"-2.39,-1.66,0.81,1.54,1.48,-0.91,\";\n#else\nstatic const char kOpusEndTrimmingHash_1[] =\n \"-4.57,-5.66,-6.52,-6.30,-4.37,-3.61,\";\nstatic const char kOpusEndTrimmingHash_2[] =\n \"-11.91,-11.11,-8.27,-7.13,-7.86,-10.00,\";\nstatic const char kOpusEndTrimmingHash_3[] =\n \"-13.31,-14.38,-13.70,-11.71,-10.21,-10.49,\";\nstatic const char kOpusSmallCodecDelayHash_1[] =\n \"-0.48,-0.09,1.27,1.06,1.54,-0.22,\";\nstatic const char kOpusSmallCodecDelayHash_2[] =\n \"0.29,0.14,-0.20,0.24,0.68,0.83,\";\nstatic const char kOpusMonoOutputHash[] = \"-2.41,-1.66,0.79,1.53,1.46,-0.91,\";\n#endif // defined(ARCH_CPU_ARM64)\n\n#else\n// Hash for a full playthrough of \"opus-trimming-test.(webm|ogg)\".\nstatic const char kOpusEndTrimmingHash_1[] =\n \"-4.57,-5.67,-6.52,-6.28,-4.34,-3.58,\";\n// The above hash, plus an additional playthrough starting from T=1s.\nstatic const char kOpusEndTrimmingHash_2[] =\n \"-11.91,-11.10,-8.24,-7.08,-7.82,-9.99,\";\n// The above hash, plus an additional playthrough starting from T=6.36s.\nstatic const char kOpusEndTrimmingHash_3[] =\n \"-13.31,-14.36,-13.66,-11.65,-10.16,-10.47,\";\n// Hash for a full playthrough of \"bear-opus.webm\".\nstatic const char kOpusSmallCodecDelayHash_1[] =\n \"-0.47,-0.09,1.28,1.07,1.55,-0.22,\";\n// The above hash, plus an additional playthrough starting from T=1.414s.\nstatic const char kOpusSmallCodecDelayHash_2[] =\n \"0.31,0.15,-0.18,0.25,0.70,0.84,\";\n// For BasicPlaybackOpusWebmHashed_MonoOutput test case.\nstatic const char kOpusMonoOutputHash[] = \"-2.36,-1.64,0.84,1.55,1.51,-0.90,\";\n#endif // defined(OPUS_FIXED_POINT)\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\nconst int k640IsoCencFileDurationMs = 2769;\nconst int k1280IsoFileDurationMs = 2736;\n\n// TODO(wolenetz): Update to 2769 once MSE endOfStream implementation no longer\n// truncates duration to the highest in intersection ranges, but compliantly to\n// the largest track buffer ranges end time across all tracks and SourceBuffers.\n// See https://crbug.com/639144.\nconst int k1280IsoFileDurationMsAV = 2763;\n\nconst int k1280IsoAVC3FileDurationMs = 2736;\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n\n// Return a timeline offset for bear-320x240-live.webm.\nstatic base::Time kLiveTimelineOffset() {\n // The file contains the following UTC timeline offset:\n // 2012-11-10 12:34:56.789123456\n // Since base::Time only has a resolution of microseconds,\n // construct a base::Time for 2012-11-10 12:34:56.789123.\n base::Time::Exploded exploded_time;\n exploded_time.year = 2012;\n exploded_time.month = 11;\n exploded_time.day_of_month = 10;\n exploded_time.day_of_week = 6;\n exploded_time.hour = 12;\n exploded_time.minute = 34;\n exploded_time.second = 56;\n exploded_time.millisecond = 789;\n base::Time timeline_offset;\n EXPECT_TRUE(base::Time::FromUTCExploded(exploded_time, &timeline_offset));\n\n timeline_offset += base::Microseconds(123);\n\n return timeline_offset;\n}\n\n#if defined(OS_MAC)\nclass ScopedVerboseLogEnabler {\n public:\n ScopedVerboseLogEnabler() : old_level_(logging::GetMinLogLevel()) {\n logging::SetMinLogLevel(-1);\n }\n\n ScopedVerboseLogEnabler(const ScopedVerboseLogEnabler&) = delete;\n ScopedVerboseLogEnabler& operator=(const ScopedVerboseLogEnabler&) = delete;\n\n ~ScopedVerboseLogEnabler() { logging::SetMinLogLevel(old_level_); }\n\n private:\n const int old_level_;\n};\n#endif\n\nenum PromiseResult { RESOLVED, REJECTED };\n\n// Provides the test key in response to the encrypted event.\nclass KeyProvidingApp : public FakeEncryptedMedia::AppBase {\n public:\n KeyProvidingApp() = default;\n\n void OnResolveWithSession(PromiseResult expected,\n const std::string& session_id) {\n EXPECT_EQ(expected, RESOLVED);\n EXPECT_GT(session_id.length(), 0ul);\n current_session_id_ = session_id;\n }\n\n void OnResolve(PromiseResult expected) { EXPECT_EQ(expected, RESOLVED); }\n\n void OnReject(PromiseResult expected,\n media::CdmPromise::Exception exception_code,\n uint32_t system_code,\n const std::string& error_message) {\n EXPECT_EQ(expected, REJECTED) << error_message;\n }\n\n std::unique_ptr<SimpleCdmPromise> CreatePromise(PromiseResult expected) {\n std::unique_ptr<media::SimpleCdmPromise> promise(\n new media::CdmCallbackPromise<>(\n base::BindOnce(&KeyProvidingApp::OnResolve, base::Unretained(this),\n expected),\n base::BindOnce(&KeyProvidingApp::OnReject, base::Unretained(this),\n expected)));\n return promise;\n }\n\n std::unique_ptr<NewSessionCdmPromise> CreateSessionPromise(\n PromiseResult expected) {\n std::unique_ptr<media::NewSessionCdmPromise> promise(\n new media::CdmCallbackPromise<std::string>(\n base::BindOnce(&KeyProvidingApp::OnResolveWithSession,\n base::Unretained(this), expected),\n base::BindOnce(&KeyProvidingApp::OnReject, base::Unretained(this),\n expected)));\n return promise;\n }\n\n void OnSessionMessage(const std::string& session_id,\n CdmMessageType message_type,\n const std::vector<uint8_t>& message,\n AesDecryptor* decryptor) override {\n EXPECT_FALSE(session_id.empty());\n EXPECT_FALSE(message.empty());\n EXPECT_EQ(current_session_id_, session_id);\n EXPECT_EQ(CdmMessageType::LICENSE_REQUEST, message_type);\n\n // Extract the key ID from |message|. For Clear Key this is a JSON object\n // containing a set of \"kids\". There should only be 1 key ID in |message|.\n std::string message_string(message.begin(), message.end());\n KeyIdList key_ids;\n std::string error_message;\n EXPECT_TRUE(ExtractKeyIdsFromKeyIdsInitData(message_string, &key_ids,\n &error_message))\n << error_message;\n EXPECT_EQ(1u, key_ids.size());\n\n // Determine the key that matches the key ID |key_ids[0]|.\n std::vector<uint8_t> key;\n EXPECT_TRUE(LookupKey(key_ids[0], &key));\n\n // Update the session with the key ID and key.\n std::string jwk = GenerateJWKSet(key.data(), key.size(), key_ids[0].data(),\n key_ids[0].size());\n decryptor->UpdateSession(session_id,\n std::vector<uint8_t>(jwk.begin(), jwk.end()),\n CreatePromise(RESOLVED));\n }\n\n void OnSessionClosed(const std::string& session_id,\n CdmSessionClosedReason /*reason*/) override {\n EXPECT_EQ(current_session_id_, session_id);\n }\n\n void OnSessionKeysChange(const std::string& session_id,\n bool has_additional_usable_key,\n CdmKeysInfo keys_info) override {\n EXPECT_EQ(current_session_id_, session_id);\n EXPECT_EQ(has_additional_usable_key, true);\n }\n\n void OnSessionExpirationUpdate(const std::string& session_id,\n base::Time new_expiry_time) override {\n EXPECT_EQ(current_session_id_, session_id);\n }\n\n void OnEncryptedMediaInitData(EmeInitDataType init_data_type,\n const std::vector<uint8_t>& init_data,\n AesDecryptor* decryptor) override {\n // Since only 1 session is created, skip the request if the |init_data|\n // has been seen before (no need to add the same key again).\n if (init_data == prev_init_data_)\n return;\n prev_init_data_ = init_data;\n\n if (current_session_id_.empty()) {\n decryptor->CreateSessionAndGenerateRequest(\n CdmSessionType::kTemporary, init_data_type, init_data,\n CreateSessionPromise(RESOLVED));\n EXPECT_FALSE(current_session_id_.empty());\n }\n }\n\n virtual bool LookupKey(const std::vector<uint8_t>& key_id,\n std::vector<uint8_t>* key) {\n // No key rotation.\n return LookupTestKeyVector(key_id, false, key);\n }\n\n std::string current_session_id_;\n std::vector<uint8_t> prev_init_data_;\n};\n\nclass RotatingKeyProvidingApp : public KeyProvidingApp {\n public:\n RotatingKeyProvidingApp() : num_distinct_need_key_calls_(0) {}\n ~RotatingKeyProvidingApp() override {\n // Expect that OnEncryptedMediaInitData is fired multiple times with\n // different |init_data|.\n EXPECT_GT(num_distinct_need_key_calls_, 1u);\n }\n\n void OnEncryptedMediaInitData(EmeInitDataType init_data_type,\n const std::vector<uint8_t>& init_data,\n AesDecryptor* decryptor) override {\n // Skip the request if the |init_data| has been seen.\n if (init_data == prev_init_data_)\n return;\n prev_init_data_ = init_data;\n ++num_distinct_need_key_calls_;\n\n decryptor->CreateSessionAndGenerateRequest(CdmSessionType::kTemporary,\n init_data_type, init_data,\n CreateSessionPromise(RESOLVED));\n }\n\n bool LookupKey(const std::vector<uint8_t>& key_id,\n std::vector<uint8_t>* key) override {\n // With key rotation.\n return LookupTestKeyVector(key_id, true, key);\n }\n\n uint32_t num_distinct_need_key_calls_;\n};\n\n// Ignores the encrypted event and does not perform a license request.\nclass NoResponseApp : public FakeEncryptedMedia::AppBase {\n public:\n void OnSessionMessage(const std::string& session_id,\n CdmMessageType message_type,\n const std::vector<uint8_t>& message,\n AesDecryptor* decryptor) override {\n EXPECT_FALSE(session_id.empty());\n EXPECT_FALSE(message.empty());\n FAIL() << \"Unexpected Message\";\n }\n\n void OnSessionClosed(const std::string& session_id,\n CdmSessionClosedReason /*reason*/) override {\n EXPECT_FALSE(session_id.empty());\n FAIL() << \"Unexpected Closed\";\n }\n\n void OnSessionKeysChange(const std::string& session_id,\n bool has_additional_usable_key,\n CdmKeysInfo keys_info) override {\n EXPECT_FALSE(session_id.empty());\n EXPECT_EQ(has_additional_usable_key, true);\n }\n\n void OnSessionExpirationUpdate(const std::string& session_id,\n base::Time new_expiry_time) override {}\n\n void OnEncryptedMediaInitData(EmeInitDataType init_data_type,\n const std::vector<uint8_t>& init_data,\n AesDecryptor* decryptor) override {}\n};\n\n// A rough simulation of GpuVideoDecoder that fails every Decode() request. This\n// is used to test post-Initialize() fallback paths.\nclass FailingVideoDecoder : public VideoDecoder {\n public:\n VideoDecoderType GetDecoderType() const override {\n return VideoDecoderType::kTesting;\n }\n void Initialize(const VideoDecoderConfig& config,\n bool low_delay,\n CdmContext* cdm_context,\n InitCB init_cb,\n const OutputCB& output_cb,\n const WaitingCB& waiting_cb) override {\n std::move(init_cb).Run(OkStatus());\n }\n void Decode(scoped_refptr<DecoderBuffer> buffer,\n DecodeCB decode_cb) override {\n base::ThreadTaskRunnerHandle::Get()->PostTask(\n FROM_HERE,\n base::BindOnce(std::move(decode_cb), DecodeStatus::DECODE_ERROR));\n }\n void Reset(base::OnceClosure closure) override { std::move(closure).Run(); }\n bool NeedsBitstreamConversion() const override { return true; }\n};\n\nclass PipelineIntegrationTest : public testing::Test,\n public PipelineIntegrationTestBase {\n public:\n // Verifies that seeking works properly for ChunkDemuxer when the\n // seek happens while there is a pending read on the ChunkDemuxer\n // and no data is available.\n bool TestSeekDuringRead(const std::string& filename,\n int initial_append_size,\n base::TimeDelta start_seek_time,\n base::TimeDelta seek_time,\n int seek_file_position,\n int seek_append_size) {\n TestMediaSource source(filename, initial_append_size);\n\n if (StartPipelineWithMediaSource(&source, kNoClockless, nullptr) !=\n PIPELINE_OK) {\n return false;\n }\n\n Play();\n if (!WaitUntilCurrentTimeIsAfter(start_seek_time))\n return false;\n\n source.Seek(seek_time, seek_file_position, seek_append_size);\n if (!Seek(seek_time))\n return false;\n\n source.EndOfStream();\n\n source.Shutdown();\n Stop();\n return true;\n }\n\n void OnEnabledAudioTracksChanged(\n const std::vector<MediaTrack::Id>& enabled_track_ids) {\n base::RunLoop run_loop;\n pipeline_->OnEnabledAudioTracksChanged(enabled_track_ids,\n run_loop.QuitClosure());\n run_loop.Run();\n }\n\n void OnSelectedVideoTrackChanged(\n absl::optional<MediaTrack::Id> selected_track_id) {\n base::RunLoop run_loop;\n pipeline_->OnSelectedVideoTrackChanged(selected_track_id,\n run_loop.QuitClosure());\n run_loop.Run();\n }\n};\n\nstruct PlaybackTestData {\n const std::string filename;\n const uint32_t start_time_ms;\n const uint32_t duration_ms;\n};\n\nstruct MSEPlaybackTestData {\n const std::string filename;\n const size_t append_bytes;\n const uint32_t duration_ms;\n};\n\n// Tells gtest how to print our PlaybackTestData structure.\nstd::ostream& operator<<(std::ostream& os, const PlaybackTestData& data) {\n return os << data.filename;\n}\n\nstd::ostream& operator<<(std::ostream& os, const MSEPlaybackTestData& data) {\n return os << data.filename;\n}\n\nclass BasicPlaybackTest : public PipelineIntegrationTest,\n public testing::WithParamInterface<PlaybackTestData> {\n};\n\nTEST_P(BasicPlaybackTest, PlayToEnd) {\n PlaybackTestData data = GetParam();\n\n ASSERT_EQ(PIPELINE_OK, Start(data.filename, kUnreliableDuration));\n EXPECT_EQ(data.start_time_ms, demuxer_->GetStartTime().InMilliseconds());\n EXPECT_EQ(data.duration_ms, pipeline_->GetMediaDuration().InMilliseconds());\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nconst PlaybackTestData kOpenCodecsTests[] = {{\"bear-vp9-i422.webm\", 0, 2736}};\n\nINSTANTIATE_TEST_SUITE_P(OpenCodecs,\n BasicPlaybackTest,\n testing::ValuesIn(kOpenCodecsTests));\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\n\nclass BasicMSEPlaybackTest\n : public ::testing::WithParamInterface<MSEPlaybackTestData>,\n public PipelineIntegrationTest {\n protected:\n void PlayToEnd() {\n MSEPlaybackTestData data = GetParam();\n\n TestMediaSource source(data.filename, data.append_bytes);\n ASSERT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kNormal, nullptr));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(data.duration_ms,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_TRUE(demuxer_->GetTimelineOffset().is_null());\n source.Shutdown();\n Stop();\n }\n};\n\nTEST_P(BasicMSEPlaybackTest, PlayToEnd) {\n PlayToEnd();\n}\n\nconst PlaybackTestData kADTSTests[] = {\n {\"bear-audio-main-aac.aac\", 0, 2708},\n {\"bear-audio-lc-aac.aac\", 0, 2791},\n {\"bear-audio-implicit-he-aac-v1.aac\", 0, 2829},\n {\"bear-audio-implicit-he-aac-v2.aac\", 0, 2900},\n};\n\n// TODO(chcunningham): Migrate other basic playback tests to TEST_P.\nINSTANTIATE_TEST_SUITE_P(ProprietaryCodecs,\n BasicPlaybackTest,\n testing::ValuesIn(kADTSTests));\n\nconst MSEPlaybackTestData kMediaSourceADTSTests[] = {\n {\"bear-audio-main-aac.aac\", kAppendWholeFile, 2773},\n {\"bear-audio-lc-aac.aac\", kAppendWholeFile, 2794},\n {\"bear-audio-implicit-he-aac-v1.aac\", kAppendWholeFile, 2858},\n {\"bear-audio-implicit-he-aac-v2.aac\", kAppendWholeFile, 2901},\n};\n\n// TODO(chcunningham): Migrate other basic MSE playback tests to TEST_P.\nINSTANTIATE_TEST_SUITE_P(ProprietaryCodecs,\n BasicMSEPlaybackTest,\n testing::ValuesIn(kMediaSourceADTSTests));\n\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n\nstruct MSEChangeTypeTestData {\n const MSEPlaybackTestData file_one;\n const MSEPlaybackTestData file_two;\n};\n\nclass MSEChangeTypeTest\n : public ::testing::WithParamInterface<\n std::tuple<MSEPlaybackTestData, MSEPlaybackTestData>>,\n public PipelineIntegrationTest {\n public:\n // Populate meaningful test suffixes instead of /0, /1, etc.\n struct PrintToStringParamName {\n template <class ParamType>\n std::string operator()(\n const testing::TestParamInfo<ParamType>& info) const {\n std::stringstream ss;\n ss << std::get<0>(info.param) << \"_AND_\" << std::get<1>(info.param);\n std::string s = ss.str();\n // Strip out invalid param name characters.\n std::stringstream ss2;\n for (size_t i = 0; i < s.size(); ++i) {\n if (isalnum(s[i]) || s[i] == '_')\n ss2 << s[i];\n }\n return ss2.str();\n }\n };\n\n protected:\n void PlayBackToBack() {\n // TODO(wolenetz): Consider a modified, composable, hash that lets us\n // combine known hashes for two files to generate an expected hash for when\n // both are played. For now, only the duration (and successful append and\n // play-to-end) are verified.\n MSEPlaybackTestData file_one = std::get<0>(GetParam());\n MSEPlaybackTestData file_two = std::get<1>(GetParam());\n\n // Start in 'sequence' appendMode, because some test media begin near enough\n // to time 0, resulting in gaps across the changeType boundary in buffered\n // media timeline.\n // TODO(wolenetz): Switch back to 'segments' mode once we have some\n // incubation of a way to flexibly allow playback through unbuffered\n // regions. Known test media requiring sequence mode: MP3-in-MP2T\n TestMediaSource source(file_one.filename, file_one.append_bytes, true);\n ASSERT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kNormal, nullptr));\n source.EndOfStream();\n\n // Transitions between VP8A and other test media can trigger this again.\n EXPECT_CALL(*this, OnVideoOpacityChange(_)).Times(AnyNumber());\n\n Ranges<base::TimeDelta> ranges = pipeline_->GetBufferedTimeRanges();\n EXPECT_EQ(1u, ranges.size());\n EXPECT_EQ(0, ranges.start(0).InMilliseconds());\n base::TimeDelta file_one_end_time = ranges.end(0);\n EXPECT_EQ(file_one.duration_ms, file_one_end_time.InMilliseconds());\n\n // Change type and append |file_two| with start time abutting end of\n // the previous buffered range.\n source.UnmarkEndOfStream();\n source.ChangeType(GetMimeTypeForFile(file_two.filename));\n scoped_refptr<DecoderBuffer> file_two_contents =\n ReadTestDataFile(file_two.filename);\n source.AppendAtTime(file_one_end_time, file_two_contents->data(),\n file_two.append_bytes == kAppendWholeFile\n ? file_two_contents->data_size()\n : file_two.append_bytes);\n source.EndOfStream();\n ranges = pipeline_->GetBufferedTimeRanges();\n EXPECT_EQ(1u, ranges.size());\n EXPECT_EQ(0, ranges.start(0).InMilliseconds());\n\n base::TimeDelta file_two_actual_duration =\n ranges.end(0) - file_one_end_time;\n EXPECT_EQ(file_two_actual_duration.InMilliseconds(), file_two.duration_ms);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_TRUE(demuxer_->GetTimelineOffset().is_null());\n source.Shutdown();\n Stop();\n }\n};\n\nTEST_P(MSEChangeTypeTest, PlayBackToBack) {\n PlayBackToBack();\n}\n\nconst MSEPlaybackTestData kMediaSourceAudioFiles[] = {\n // MP3\n {\"sfx.mp3\", kAppendWholeFile, 313},\n\n // Opus in WebM\n {\"sfx-opus-441.webm\", kAppendWholeFile, 301},\n\n // Vorbis in WebM\n {\"bear-320x240-audio-only.webm\", kAppendWholeFile, 2768},\n\n // FLAC in MP4\n {\"sfx-flac_frag.mp4\", kAppendWholeFile, 288},\n\n // Opus in MP4\n {\"sfx-opus_frag.mp4\", kAppendWholeFile, 301},\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\n // AAC in ADTS\n {\"bear-audio-main-aac.aac\", kAppendWholeFile, 2773},\n\n // AAC in MP4\n {\"bear-640x360-a_frag.mp4\", kAppendWholeFile, 2803},\n\n#if BUILDFLAG(ENABLE_MSE_MPEG2TS_STREAM_PARSER)\n // MP3 in MP2T\n {\"bear-audio-mp4a.6B.ts\", kAppendWholeFile, 1097},\n#endif // BUILDFLAG(ENABLE_MSE_MPEG2TS_STREAM_PARSER)\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n};\n\nconst MSEPlaybackTestData kMediaSourceVideoFiles[] = {\n // VP9 in WebM\n {\"bear-vp9.webm\", kAppendWholeFile, kVP9WebMFileDurationMs},\n\n // VP9 in MP4\n {\"bear-320x240-v_frag-vp9.mp4\", kAppendWholeFile, 2736},\n\n // VP8 in WebM\n {\"bear-vp8a.webm\", kAppendWholeFile, kVP8AWebMFileDurationMs},\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\n // AV1 in MP4\n {\"bear-av1.mp4\", kAppendWholeFile, kVP9WebMFileDurationMs},\n\n // AV1 in WebM\n {\"bear-av1.webm\", kAppendWholeFile, kVP9WebMFileDurationMs},\n#endif // BUILDFLAG(ENABLE_AV1_DECODER)\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\n // H264 AVC3 in MP4\n {\"bear-1280x720-v_frag-avc3.mp4\", kAppendWholeFile,\n k1280IsoAVC3FileDurationMs},\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n};\n\nINSTANTIATE_TEST_SUITE_P(\n AudioOnly,\n MSEChangeTypeTest,\n testing::Combine(testing::ValuesIn(kMediaSourceAudioFiles),\n testing::ValuesIn(kMediaSourceAudioFiles)),\n MSEChangeTypeTest::PrintToStringParamName());\n\nINSTANTIATE_TEST_SUITE_P(\n VideoOnly,\n MSEChangeTypeTest,\n testing::Combine(testing::ValuesIn(kMediaSourceVideoFiles),\n testing::ValuesIn(kMediaSourceVideoFiles)),\n MSEChangeTypeTest::PrintToStringParamName());\n\nTEST_F(PipelineIntegrationTest, BasicPlayback) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\"));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusOgg) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-opus.ogg\"));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusOgg_4ch_ChannelMapping2) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-opus-4ch-channelmapping2.ogg\", kWebAudio));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusOgg_11ch_ChannelMapping2) {\n ASSERT_EQ(PIPELINE_OK,\n Start(\"bear-opus-11ch-channelmapping2.ogg\", kWebAudio));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kHashed));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_HASH_EQ(\"f0be120a90a811506777c99a2cdf7cc1\", GetVideoHash());\n EXPECT_HASH_EQ(\"-3.59,-2.06,-0.43,2.15,0.77,-0.95,\", GetAudioHash());\n EXPECT_TRUE(demuxer_->GetTimelineOffset().is_null());\n}\n\nbase::TimeDelta TimestampMs(int milliseconds) {\n return base::Milliseconds(milliseconds);\n}\n\nTEST_F(PipelineIntegrationTest, WaveLayoutChange) {\n ASSERT_EQ(PIPELINE_OK, Start(\"layout_change.wav\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, PlaybackTooManyChannels) {\n EXPECT_EQ(PIPELINE_ERROR_INITIALIZATION_FAILED, Start(\"9ch.wav\"));\n}\n\nTEST_F(PipelineIntegrationTest, PlaybackWithAudioTrackDisabledThenEnabled) {\n#if defined(OS_MAC)\n // Enable scoped logs to help track down hangs. http://crbug.com/1014646\n ScopedVerboseLogEnabler scoped_log_enabler;\n#endif\n\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kHashed | kNoClockless));\n\n // Disable audio.\n std::vector<MediaTrack::Id> empty;\n OnEnabledAudioTracksChanged(empty);\n\n // Seek to flush the pipeline and ensure there's no prerolled audio data.\n ASSERT_TRUE(Seek(base::TimeDelta()));\n\n Play();\n const base::TimeDelta k500ms = TimestampMs(500);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(k500ms));\n Pause();\n\n // Verify that no audio has been played, since we disabled audio tracks.\n EXPECT_HASH_EQ(kNullAudioHash, GetAudioHash());\n\n // Re-enable audio.\n std::vector<MediaTrack::Id> audio_track_id;\n audio_track_id.push_back(MediaTrack::Id(\"2\"));\n OnEnabledAudioTracksChanged(audio_track_id);\n\n // Restart playback from 500ms position.\n ASSERT_TRUE(Seek(k500ms));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Verify that audio has been playing after being enabled.\n EXPECT_HASH_EQ(\"-1.53,0.21,1.23,1.56,-0.34,-0.94,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, PlaybackWithVideoTrackDisabledThenEnabled) {\n#if defined(OS_MAC)\n // Enable scoped logs to help track down hangs. http://crbug.com/1014646\n ScopedVerboseLogEnabler scoped_log_enabler;\n#endif\n\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kHashed | kNoClockless));\n\n // Disable video.\n OnSelectedVideoTrackChanged(absl::nullopt);\n\n // Seek to flush the pipeline and ensure there's no prerolled video data.\n ASSERT_TRUE(Seek(base::TimeDelta()));\n\n // Reset the video hash in case some of the prerolled video frames have been\n // hashed already.\n ResetVideoHash();\n\n Play();\n const base::TimeDelta k500ms = TimestampMs(500);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(k500ms));\n Pause();\n\n // Verify that no video has been rendered, since we disabled video tracks.\n EXPECT_HASH_EQ(kNullVideoHash, GetVideoHash());\n\n // Re-enable video.\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"1\"));\n\n // Seek to flush video pipeline and reset the video hash again to clear state\n // if some prerolled frames got hashed after enabling video.\n ASSERT_TRUE(Seek(base::TimeDelta()));\n ResetVideoHash();\n\n // Restart playback from 500ms position.\n ASSERT_TRUE(Seek(k500ms));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Verify that video has been rendered after being enabled.\n EXPECT_HASH_EQ(\"fd59357dfd9c144ab4fb8181b2de32c3\", GetVideoHash());\n}\n\nTEST_F(PipelineIntegrationTest, TrackStatusChangesBeforePipelineStarted) {\n std::vector<MediaTrack::Id> empty_track_ids;\n OnEnabledAudioTracksChanged(empty_track_ids);\n OnSelectedVideoTrackChanged(absl::nullopt);\n}\n\nTEST_F(PipelineIntegrationTest, TrackStatusChangesAfterPipelineEnded) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n std::vector<MediaTrack::Id> track_ids;\n // Disable audio track.\n OnEnabledAudioTracksChanged(track_ids);\n // Re-enable audio track.\n track_ids.push_back(MediaTrack::Id(\"2\"));\n OnEnabledAudioTracksChanged(track_ids);\n // Disable video track.\n OnSelectedVideoTrackChanged(absl::nullopt);\n // Re-enable video track.\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"1\"));\n}\n\n// TODO(https://crbug.com/1009964): Enable test when MacOS flake is fixed.\n#if defined(OS_MAC) || defined(OS_WIN)\n#define MAYBE_TrackStatusChangesWhileSuspended \\\n DISABLED_TrackStatusChangesWhileSuspended\n#else\n#define MAYBE_TrackStatusChangesWhileSuspended TrackStatusChangesWhileSuspended\n#endif\n\nTEST_F(PipelineIntegrationTest, MAYBE_TrackStatusChangesWhileSuspended) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kNoClockless));\n Play();\n\n ASSERT_TRUE(Suspend());\n\n // These get triggered every time playback is resumed.\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(320, 240)))\n .Times(AnyNumber());\n EXPECT_CALL(*this, OnVideoOpacityChange(true)).Times(AnyNumber());\n\n std::vector<MediaTrack::Id> track_ids;\n\n // Disable audio track.\n OnEnabledAudioTracksChanged(track_ids);\n ASSERT_TRUE(Resume(TimestampMs(100)));\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n ASSERT_TRUE(Suspend());\n\n // Re-enable audio track.\n track_ids.push_back(MediaTrack::Id(\"2\"));\n OnEnabledAudioTracksChanged(track_ids);\n ASSERT_TRUE(Resume(TimestampMs(200)));\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(300)));\n ASSERT_TRUE(Suspend());\n\n // Disable video track.\n OnSelectedVideoTrackChanged(absl::nullopt);\n ASSERT_TRUE(Resume(TimestampMs(300)));\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(400)));\n ASSERT_TRUE(Suspend());\n\n // Re-enable video track.\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"1\"));\n ASSERT_TRUE(Resume(TimestampMs(400)));\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, ReinitRenderersWhileAudioTrackIsDisabled) {\n // This test is flaky without kNoClockless, see crbug.com/788387.\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kNoClockless));\n Play();\n\n // These get triggered every time playback is resumed.\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(320, 240)))\n .Times(AnyNumber());\n EXPECT_CALL(*this, OnVideoOpacityChange(true)).Times(AnyNumber());\n\n // Disable the audio track.\n std::vector<MediaTrack::Id> track_ids;\n OnEnabledAudioTracksChanged(track_ids);\n // pipeline.Suspend() releases renderers and pipeline.Resume() recreates and\n // reinitializes renderers while the audio track is disabled.\n ASSERT_TRUE(Suspend());\n ASSERT_TRUE(Resume(TimestampMs(100)));\n // Now re-enable the audio track, playback should continue successfully.\n EXPECT_CALL(*this, OnBufferingStateChange(BUFFERING_HAVE_ENOUGH, _)).Times(1);\n track_ids.push_back(MediaTrack::Id(\"2\"));\n OnEnabledAudioTracksChanged(track_ids);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, ReinitRenderersWhileVideoTrackIsDisabled) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kNoClockless));\n Play();\n\n // These get triggered every time playback is resumed.\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(320, 240)))\n .Times(AnyNumber());\n EXPECT_CALL(*this, OnVideoOpacityChange(true)).Times(AnyNumber());\n\n // Disable the video track.\n OnSelectedVideoTrackChanged(absl::nullopt);\n // pipeline.Suspend() releases renderers and pipeline.Resume() recreates and\n // reinitializes renderers while the video track is disabled.\n ASSERT_TRUE(Suspend());\n ASSERT_TRUE(Resume(TimestampMs(100)));\n // Now re-enable the video track, playback should continue successfully.\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"1\"));\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, PipelineStoppedWhileAudioRestartPending) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\"));\n Play();\n\n // Disable audio track first, to re-enable it later and stop the pipeline\n // (which destroys the media renderer) while audio restart is pending.\n std::vector<MediaTrack::Id> track_ids;\n OnEnabledAudioTracksChanged(track_ids);\n\n // Playback is paused while all audio tracks are disabled.\n\n track_ids.push_back(MediaTrack::Id(\"2\"));\n OnEnabledAudioTracksChanged(track_ids);\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, PipelineStoppedWhileVideoRestartPending) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\"));\n Play();\n\n // Disable video track first, to re-enable it later and stop the pipeline\n // (which destroys the media renderer) while video restart is pending.\n OnSelectedVideoTrackChanged(absl::nullopt);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"1\"));\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, SwitchAudioTrackDuringPlayback) {\n ASSERT_EQ(PIPELINE_OK, Start(\"multitrack-3video-2audio.webm\", kNoClockless));\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(100)));\n // The first audio track (TrackId=4) is enabled by default. This should\n // disable TrackId=4 and enable TrackId=5.\n std::vector<MediaTrack::Id> track_ids;\n track_ids.push_back(MediaTrack::Id(\"5\"));\n OnEnabledAudioTracksChanged(track_ids);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, SwitchVideoTrackDuringPlayback) {\n ASSERT_EQ(PIPELINE_OK, Start(\"multitrack-3video-2audio.webm\", kNoClockless));\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(100)));\n // The first video track (TrackId=1) is enabled by default. This should\n // disable TrackId=1 and enable TrackId=2.\n OnSelectedVideoTrackChanged(MediaTrack::Id(\"2\"));\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(TimestampMs(200)));\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusOggTrimmingHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"opus-trimming-test.ogg\", kHashed));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_1, GetAudioHash());\n\n // Seek within the pre-skip section, this should not cause a beep.\n ASSERT_TRUE(Seek(base::Seconds(1)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_2, GetAudioHash());\n\n // Seek somewhere outside of the pre-skip / end-trim section, demuxer should\n // correctly preroll enough to accurately decode this segment.\n ASSERT_TRUE(Seek(base::Milliseconds(6360)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_3, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusWebmTrimmingHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"opus-trimming-test.webm\", kHashed));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_1, GetAudioHash());\n\n // Seek within the pre-skip section, this should not cause a beep.\n ASSERT_TRUE(Seek(base::Seconds(1)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_2, GetAudioHash());\n\n // Seek somewhere outside of the pre-skip / end-trim section, demuxer should\n // correctly preroll enough to accurately decode this segment.\n ASSERT_TRUE(Seek(base::Milliseconds(6360)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_3, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusMp4TrimmingHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"opus-trimming-test.mp4\", kHashed));\n\n Play();\n\n // TODO(dalecurtis): The test clip currently does not have the edit list\n // entries required to achieve correctness here. Delete this comment and\n // uncomment the EXPECT_HASH_EQ lines when https://crbug.com/876544 is fixed.\n\n ASSERT_TRUE(WaitUntilOnEnded());\n // EXPECT_HASH_EQ(kOpusEndTrimmingHash_1, GetAudioHash());\n\n // Seek within the pre-skip section, this should not cause a beep.\n ASSERT_TRUE(Seek(base::Seconds(1)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n // EXPECT_HASH_EQ(kOpusEndTrimmingHash_2, GetAudioHash());\n\n // Seek somewhere outside of the pre-skip / end-trim section, demuxer should\n // correctly preroll enough to accurately decode this segment.\n ASSERT_TRUE(Seek(base::Milliseconds(6360)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n // EXPECT_HASH_EQ(kOpusEndTrimmingHash_3, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlaybackOpusWebmTrimmingHashed) {\n TestMediaSource source(\"opus-trimming-test.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_1, GetAudioHash());\n\n // Seek within the pre-skip section, this should not cause a beep.\n base::TimeDelta seek_time = base::Seconds(1);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_2, GetAudioHash());\n\n // Seek somewhere outside of the pre-skip / end-trim section, demuxer should\n // correctly preroll enough to accurately decode this segment.\n seek_time = base::Milliseconds(6360);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_3, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlaybackOpusMp4TrimmingHashed) {\n TestMediaSource source(\"opus-trimming-test.mp4\", kAppendWholeFile);\n\n // TODO(dalecurtis): The test clip currently does not have the edit list\n // entries required to achieve correctness here, so we're manually specifying\n // the edits using append window trimming.\n //\n // It's unclear if MSE actually supports edit list features required to\n // achieve correctness either. Delete this comment and remove the manual\n // SetAppendWindow() if/when https://crbug.com/876544 is fixed.\n source.SetAppendWindow(base::TimeDelta(), base::TimeDelta(),\n base::Microseconds(12720021));\n\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_1, GetAudioHash());\n\n // Seek within the pre-skip section, this should not cause a beep.\n base::TimeDelta seek_time = base::Seconds(1);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_2, GetAudioHash());\n\n // Seek somewhere outside of the pre-skip / end-trim section, demuxer should\n // correctly preroll enough to accurately decode this segment.\n seek_time = base::Milliseconds(6360);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusEndTrimmingHash_3, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusWebmHashed_MonoOutput) {\n ASSERT_EQ(PIPELINE_OK,\n Start(\"bunny-opus-intensity-stereo.webm\", kHashed | kMonoOutput));\n\n // File should have stereo output, which we know to be encoded using \"phase\n // intensity\". Downmixing such files to MONO produces artifacts unless the\n // decoder performs the downmix, which disables \"phase inversion\". See\n // http://crbug.com/806219\n AudioDecoderConfig config =\n demuxer_->GetFirstStream(DemuxerStream::AUDIO)->audio_decoder_config();\n ASSERT_EQ(config.channel_layout(), CHANNEL_LAYOUT_STEREO);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Hash has very slight differences when phase inversion is enabled.\n EXPECT_HASH_EQ(kOpusMonoOutputHash, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusPrerollExceedsCodecDelay) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-opus.webm\", kHashed));\n\n AudioDecoderConfig config =\n demuxer_->GetFirstStream(DemuxerStream::AUDIO)->audio_decoder_config();\n\n // Verify that this file's preroll is not eclipsed by the codec delay so we\n // can detect when preroll is not properly performed.\n base::TimeDelta codec_delay = base::Seconds(\n static_cast<double>(config.codec_delay()) / config.samples_per_second());\n ASSERT_GT(config.seek_preroll(), codec_delay);\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_1, GetAudioHash());\n\n // Seek halfway through the file to invoke seek preroll.\n ASSERT_TRUE(Seek(base::Seconds(1.414)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_2, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackOpusMp4PrerollExceedsCodecDelay) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-opus.mp4\", kHashed));\n\n AudioDecoderConfig config =\n demuxer_->GetFirstStream(DemuxerStream::AUDIO)->audio_decoder_config();\n\n // Verify that this file's preroll is not eclipsed by the codec delay so we\n // can detect when preroll is not properly performed.\n base::TimeDelta codec_delay = base::Seconds(\n static_cast<double>(config.codec_delay()) / config.samples_per_second());\n ASSERT_GT(config.seek_preroll(), codec_delay);\n\n // TODO(dalecurtis): The test clip currently does not have the edit list\n // entries required to achieve correctness here. Delete this comment and\n // uncomment the EXPECT_HASH_EQ lines when https://crbug.com/876544 is fixed.\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n // EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_1, GetAudioHash());\n\n // Seek halfway through the file to invoke seek preroll.\n ASSERT_TRUE(Seek(base::Seconds(1.414)));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n // EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_2, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlaybackOpusPrerollExceedsCodecDelay) {\n TestMediaSource source(\"bear-opus.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n AudioDecoderConfig config =\n demuxer_->GetFirstStream(DemuxerStream::AUDIO)->audio_decoder_config();\n\n // Verify that this file's preroll is not eclipsed by the codec delay so we\n // can detect when preroll is not properly performed.\n base::TimeDelta codec_delay = base::Seconds(\n static_cast<double>(config.codec_delay()) / config.samples_per_second());\n ASSERT_GT(config.seek_preroll(), codec_delay);\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_1, GetAudioHash());\n\n // Seek halfway through the file to invoke seek preroll.\n base::TimeDelta seek_time = base::Seconds(1.414);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_2, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_BasicPlaybackOpusMp4PrerollExceedsCodecDelay) {\n TestMediaSource source(\"bear-opus.mp4\", kAppendWholeFile);\n\n // TODO(dalecurtis): The test clip currently does not have the edit list\n // entries required to achieve correctness here, so we're manually specifying\n // the edits using append window trimming.\n //\n // It's unclear if MSE actually supports edit list features required to\n // achieve correctness either. Delete this comment and remove the manual\n // SetAppendWindow() if/when https://crbug.com/876544 is fixed.\n source.SetAppendWindow(base::TimeDelta(), base::TimeDelta(),\n base::Microseconds(2740834));\n\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n AudioDecoderConfig config =\n demuxer_->GetFirstStream(DemuxerStream::AUDIO)->audio_decoder_config();\n\n // Verify that this file's preroll is not eclipsed by the codec delay so we\n // can detect when preroll is not properly performed.\n base::TimeDelta codec_delay = base::Seconds(\n static_cast<double>(config.codec_delay()) / config.samples_per_second());\n ASSERT_GT(config.seek_preroll(), codec_delay);\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_1, GetAudioHash());\n\n // Seek halfway through the file to invoke seek preroll.\n base::TimeDelta seek_time = base::Seconds(1.414);\n source.Seek(seek_time);\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(kOpusSmallCodecDelayHash_2, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackLive) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240-live.webm\", kHashed));\n\n // Live stream does not have duration in the initialization segment.\n // It will be set after the entire file is available.\n EXPECT_CALL(*this, OnDurationChange()).Times(1);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_HASH_EQ(\"f0be120a90a811506777c99a2cdf7cc1\", GetVideoHash());\n EXPECT_HASH_EQ(\"-3.59,-2.06,-0.43,2.15,0.77,-0.95,\", GetAudioHash());\n EXPECT_EQ(kLiveTimelineOffset(), demuxer_->GetTimelineOffset());\n}\n\nTEST_F(PipelineIntegrationTest, S32PlaybackHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx_s32le.wav\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(std::string(kNullVideoHash), GetVideoHash());\n EXPECT_HASH_EQ(kSfxLosslessHash, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, F32PlaybackHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx_f32le.wav\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(std::string(kNullVideoHash), GetVideoHash());\n EXPECT_HASH_EQ(kSfxLosslessHash, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackEncrypted) {\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n set_encrypted_media_init_data_cb(\n base::BindRepeating(&FakeEncryptedMedia::OnEncryptedMediaInitData,\n base::Unretained(&encrypted_media)));\n\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240-av_enc-av.webm\",\n encrypted_media.GetCdmContext()));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, FlacPlaybackHashed) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx.flac\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(std::string(kNullVideoHash), GetVideoHash());\n EXPECT_HASH_EQ(kSfxLosslessHash, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback) {\n TestMediaSource source(\"bear-320x240.webm\", 219229);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(k320WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_TRUE(demuxer_->GetTimelineOffset().is_null());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EosBeforeDemuxerOpened) {\n // After appending only a partial initialization segment, marking end of\n // stream should let the test complete with error indicating failure to open\n // demuxer. Here we append only the first 10 bytes of a test WebM, definitely\n // less than the ~4400 bytes needed to parse its full initialization segment.\n TestMediaSource source(\"bear-320x240.webm\", 10);\n source.set_do_eos_after_next_append(true);\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n}\n\nTEST_F(PipelineIntegrationTest, MSE_CorruptedFirstMediaSegment) {\n // After successful initialization segment append completing demuxer opening,\n // immediately append a corrupted media segment to trigger parse error while\n // pipeline is still completing renderer setup.\n TestMediaSource source(\"bear-320x240_corrupted_after_init_segment.webm\",\n 4380);\n source.set_expected_append_result(\n TestMediaSource::ExpectedAppendResult::kFailure);\n EXPECT_EQ(CHUNK_DEMUXER_ERROR_APPEND_FAILED,\n StartPipelineWithMediaSource(&source));\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_Live) {\n TestMediaSource source(\"bear-320x240-live.webm\", 219221);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(k320WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(kLiveTimelineOffset(), demuxer_->GetTimelineOffset());\n source.Shutdown();\n Stop();\n}\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_AV1_WebM) {\n TestMediaSource source(\"bear-av1.webm\", 18898);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_AV1_10bit_WebM) {\n TestMediaSource source(\"bear-av1-320x180-10bit.webm\", 19076);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_YUV420P10);\n Stop();\n}\n\n#endif\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VP9_WebM) {\n TestMediaSource source(\"bear-vp9.webm\", 67504);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VP9_BlockGroup_WebM) {\n TestMediaSource source(\"bear-vp9-blockgroup.webm\", 67871);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VP8A_WebM) {\n TestMediaSource source(\"bear-vp8a.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP8AWebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_AV1_WebM) {\n TestMediaSource source(\"bear-av1-480x360.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n\n const gfx::Size kNewSize(640, 480);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-av1-640x480.webm\");\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + kAV1640WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n#endif // BUILDFLAG(ENABLE_AV1_DECODER)\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_WebM) {\n TestMediaSource source(\"bear-320x240-16x9-aspect.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n\n const gfx::Size kNewSize(640, 360);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-640x360.webm\");\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k640WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_AudioConfigChange_WebM) {\n TestMediaSource source(\"bear-320x240-audio-only.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n\n const int kNewSampleRate = 48000;\n EXPECT_CALL(*this,\n OnAudioConfigChange(::testing::Property(\n &AudioDecoderConfig::samples_per_second, kNewSampleRate)))\n .Times(1);\n\n // A higher sample rate will cause the audio buffer durations to change. This\n // should not manifest as a timestamp gap in AudioTimestampValidator.\n // Timestamp expectations should be reset across config changes.\n EXPECT_MEDIA_LOG(Not(HasSubstr(\"Large timestamp gap detected\")))\n .Times(AnyNumber());\n\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-320x240-audio-only-48khz.webm\");\n ASSERT_TRUE(source.AppendAtTime(base::Seconds(kAppendTimeSec),\n second_file->data(),\n second_file->data_size()));\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(3774, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_RemoveUpdatesBufferedRanges) {\n TestMediaSource source(\"bear-320x240.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n\n auto buffered_ranges = pipeline_->GetBufferedTimeRanges();\n EXPECT_EQ(1u, buffered_ranges.size());\n EXPECT_EQ(0, buffered_ranges.start(0).InMilliseconds());\n EXPECT_EQ(k320WebMFileDurationMs, buffered_ranges.end(0).InMilliseconds());\n\n source.RemoveRange(base::Milliseconds(1000),\n base::Milliseconds(k320WebMFileDurationMs));\n task_environment_.RunUntilIdle();\n\n buffered_ranges = pipeline_->GetBufferedTimeRanges();\n EXPECT_EQ(1u, buffered_ranges.size());\n EXPECT_EQ(0, buffered_ranges.start(0).InMilliseconds());\n EXPECT_EQ(1001, buffered_ranges.end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\n// This test case imitates media playback with advancing media_time and\n// continuously adding new data. At some point we should reach the buffering\n// limit, after that MediaSource should evict some buffered data and that\n// evicted data shold be reflected in the change of media::Pipeline buffered\n// ranges (returned by GetBufferedTimeRanges). At that point the buffered ranges\n// will no longer start at 0.\nTEST_F(PipelineIntegrationTest, MSE_FillUpBuffer) {\n const char* input_filename = \"bear-320x240.webm\";\n TestMediaSource source(input_filename, kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.SetMemoryLimits(1048576);\n\n scoped_refptr<DecoderBuffer> file = ReadTestDataFile(input_filename);\n\n auto buffered_ranges = pipeline_->GetBufferedTimeRanges();\n EXPECT_EQ(1u, buffered_ranges.size());\n do {\n // Advance media_time to the end of the currently buffered data\n base::TimeDelta media_time = buffered_ranges.end(0);\n source.Seek(media_time);\n // Ask MediaSource to evict buffered data if buffering limit has been\n // reached (the data will be evicted from the front of the buffered range).\n source.EvictCodedFrames(media_time, file->data_size());\n source.AppendAtTime(media_time, file->data(), file->data_size());\n task_environment_.RunUntilIdle();\n\n buffered_ranges = pipeline_->GetBufferedTimeRanges();\n } while (buffered_ranges.size() == 1 &&\n buffered_ranges.start(0) == base::Seconds(0));\n\n EXPECT_EQ(1u, buffered_ranges.size());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_GCWithDisabledVideoStream) {\n const char* input_filename = \"bear-320x240.webm\";\n TestMediaSource source(input_filename, kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n scoped_refptr<DecoderBuffer> file = ReadTestDataFile(input_filename);\n // The input file contains audio + video data. Assuming video data size is\n // larger than audio, so setting memory limits to half of file data_size will\n // ensure that video SourceBuffer is above memory limit and the audio\n // SourceBuffer is below the memory limit.\n source.SetMemoryLimits(file->data_size() / 2);\n\n // Disable the video track and start playback. Renderer won't read from the\n // disabled video stream, so the video stream read position should be 0.\n OnSelectedVideoTrackChanged(absl::nullopt);\n Play();\n\n // Wait until audio playback advances past 2 seconds and call MSE GC algorithm\n // to prepare for more data to be appended.\n base::TimeDelta media_time = base::Seconds(2);\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(media_time));\n // At this point the video SourceBuffer is over the memory limit (see the\n // SetMemoryLimits comment above), but MSE GC should be able to remove some\n // of video data and return true indicating success, even though no data has\n // been read from the disabled video stream and its read position is 0.\n ASSERT_TRUE(source.EvictCodedFrames(media_time, 10));\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_Encrypted_WebM) {\n TestMediaSource source(\"bear-320x240-16x9-aspect-av_enc-av.webm\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n const gfx::Size kNewSize(640, 360);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-640x360-av_enc-av.webm\");\n\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k640WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_ClearThenEncrypted_WebM) {\n TestMediaSource source(\"bear-320x240-16x9-aspect.webm\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n const gfx::Size kNewSize(640, 360);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-640x360-av_enc-av.webm\");\n\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k640WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\n// Config change from encrypted to clear is allowed by the demuxer, and is\n// supported by the Renderer.\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_EncryptedThenClear_WebM) {\n TestMediaSource source(\"bear-320x240-16x9-aspect-av_enc-av.webm\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n const gfx::Size kNewSize(640, 360);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-640x360.webm\");\n\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k640WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\n#if defined(ARCH_CPU_X86_FAMILY) && !defined(OS_ANDROID)\nTEST_F(PipelineIntegrationTest, BasicPlaybackHi10PVP9) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x180-hi10p-vp9.webm\"));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHi12PVP9) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x180-hi12p-vp9.webm\"));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n#endif\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_AV1_MP4) {\n TestMediaSource source(\"bear-av1.mp4\", 24355);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_AV1_Audio_OPUS_MP4) {\n TestMediaSource source(\"bear-av1-opus.mp4\", 50253);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kVP9WebMFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_AV1_10bit_MP4) {\n TestMediaSource source(\"bear-av1-320x180-10bit.mp4\", 19658);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAV110bitMp4FileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_YUV420P10);\n Stop();\n}\n#endif\n\nTEST_F(PipelineIntegrationTest, MSE_FlacInMp4_Hashed) {\n TestMediaSource source(\"sfx-flac_frag.mp4\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(288, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(std::string(kNullVideoHash), GetVideoHash());\n EXPECT_HASH_EQ(kSfxLosslessHash, GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHashed_MP3) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx.mp3\", kHashed));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Verify codec delay and preroll are stripped.\n EXPECT_HASH_EQ(\"1.30,2.72,4.56,5.08,3.74,2.03,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHashed_FlacInMp4) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx-flac.mp4\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(std::string(kNullVideoHash), GetVideoHash());\n EXPECT_HASH_EQ(kSfxLosslessHash, GetAudioHash());\n}\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nTEST_F(PipelineIntegrationTest, BasicPlayback_VideoOnly_AV1_Mp4) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-av1.mp4\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlayback_VideoOnly_MonoAV1_Mp4) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-mono-av1.mp4\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlayback_Video_AV1_Audio_Opus_Mp4) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-av1-opus.mp4\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n#endif\n\nclass Mp3FastSeekParams {\n public:\n Mp3FastSeekParams(const char* filename, const char* hash)\n : filename(filename), hash(hash) {}\n const char* filename;\n const char* hash;\n};\n\nclass Mp3FastSeekIntegrationTest\n : public PipelineIntegrationTest,\n public testing::WithParamInterface<Mp3FastSeekParams> {};\n\nTEST_P(Mp3FastSeekIntegrationTest, FastSeekAccuracy_MP3) {\n Mp3FastSeekParams config = GetParam();\n ASSERT_EQ(PIPELINE_OK, Start(config.filename, kHashed));\n\n // The XING TOC is inaccurate. We don't use it for CBR, we tolerate it for VBR\n // (best option for fast seeking; see Mp3SeekFFmpegDemuxerTest). The chosen\n // seek time exposes inaccuracy in TOC such that the hash will change if seek\n // logic is regressed. See https://crbug.com/545914.\n //\n // Quick TOC design (not pretty!):\n // - All MP3 TOCs are 100 bytes\n // - Each byte is read as a uint8_t; value between 0 - 255.\n // - The index into this array is the numerator in the ratio: index / 100.\n // This fraction represents a playback time as a percentage of duration.\n // - The value at the given index is the numerator in the ratio: value / 256.\n // This fraction represents a byte offset as a percentage of the file size.\n //\n // For CBR files, each frame is the same size, so the offset for time of\n // (0.98 * duration) should be around (0.98 * file size). This is 250.88 / 256\n // but the numerator will be truncated in the TOC as 250, losing precision.\n base::TimeDelta seek_time(0.98 * pipeline_->GetMediaDuration());\n\n ASSERT_TRUE(Seek(seek_time));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_HASH_EQ(config.hash, GetAudioHash());\n}\n\n// CBR seeks should always be fast and accurate.\nINSTANTIATE_TEST_SUITE_P(\n CBRSeek_HasTOC,\n Mp3FastSeekIntegrationTest,\n ::testing::Values(Mp3FastSeekParams(\"bear-audio-10s-CBR-has-TOC.mp3\",\n \"-0.58,0.61,3.08,2.55,0.90,-1.20,\")));\n\nINSTANTIATE_TEST_SUITE_P(\n CBRSeeks_NoTOC,\n Mp3FastSeekIntegrationTest,\n ::testing::Values(Mp3FastSeekParams(\"bear-audio-10s-CBR-no-TOC.mp3\",\n \"1.16,0.68,1.25,0.60,1.66,0.93,\")));\n\n// VBR seeks can be fast *OR* accurate, but not both. We chose fast.\nINSTANTIATE_TEST_SUITE_P(\n VBRSeeks_HasTOC,\n Mp3FastSeekIntegrationTest,\n ::testing::Values(Mp3FastSeekParams(\"bear-audio-10s-VBR-has-TOC.mp3\",\n \"-0.08,-0.53,0.75,0.89,2.44,0.73,\")));\n\nINSTANTIATE_TEST_SUITE_P(\n VBRSeeks_NoTOC,\n Mp3FastSeekIntegrationTest,\n ::testing::Values(Mp3FastSeekParams(\"bear-audio-10s-VBR-no-TOC.mp3\",\n \"-0.22,0.80,1.19,0.73,-0.31,-1.12,\")));\n\nTEST_F(PipelineIntegrationTest, MSE_MP3) {\n TestMediaSource source(\"sfx.mp3\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(313, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n EXPECT_TRUE(WaitUntilOnEnded());\n\n // Verify that codec delay was stripped.\n EXPECT_HASH_EQ(\"1.01,2.71,4.18,4.32,3.04,1.12,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_MP3_TimestampOffset) {\n TestMediaSource source(\"sfx.mp3\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n EXPECT_EQ(313, source.last_timestamp_offset().InMilliseconds());\n\n // There are 576 silent frames at the start of this mp3. The second append\n // should trim them off.\n const base::TimeDelta mp3_preroll_duration = base::Seconds(576.0 / 44100);\n const base::TimeDelta append_time =\n source.last_timestamp_offset() - mp3_preroll_duration;\n\n scoped_refptr<DecoderBuffer> second_file = ReadTestDataFile(\"sfx.mp3\");\n source.AppendAtTimeWithWindow(append_time, append_time + mp3_preroll_duration,\n kInfiniteDuration, second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(613, source.last_timestamp_offset().InMilliseconds());\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(613, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_MP3_Icecast) {\n TestMediaSource source(\"icy_sfx.mp3\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n Play();\n\n EXPECT_TRUE(WaitUntilOnEnded());\n}\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\n\nTEST_F(PipelineIntegrationTest, MSE_ADTS) {\n TestMediaSource source(\"sfx.adts\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(325, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n EXPECT_TRUE(WaitUntilOnEnded());\n\n // Verify that nothing was stripped.\n EXPECT_HASH_EQ(\"0.46,1.72,4.26,4.57,3.39,1.53,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ADTS_TimestampOffset) {\n TestMediaSource source(\"sfx.adts\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithMediaSource(&source, kHashed, nullptr));\n EXPECT_EQ(325, source.last_timestamp_offset().InMilliseconds());\n\n // Trim off multiple frames off the beginning of the segment which will cause\n // the first decoded frame to be incorrect if preroll isn't implemented.\n const base::TimeDelta adts_preroll_duration =\n base::Seconds(2.5 * 1024 / 44100);\n const base::TimeDelta append_time =\n source.last_timestamp_offset() - adts_preroll_duration;\n\n scoped_refptr<DecoderBuffer> second_file = ReadTestDataFile(\"sfx.adts\");\n source.AppendAtTimeWithWindow(\n append_time, append_time + adts_preroll_duration, kInfiniteDuration,\n second_file->data(), second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(592, source.last_timestamp_offset().InMilliseconds());\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(592, pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n // Verify preroll is stripped.\n EXPECT_HASH_EQ(\"-1.76,-1.35,-0.72,0.70,1.24,0.52,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHashed_ADTS) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx.adts\", kHashed));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Verify codec delay and preroll are stripped.\n EXPECT_HASH_EQ(\"1.80,1.66,2.31,3.26,4.46,3.36,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHashed_M4A) {\n ASSERT_EQ(PIPELINE_OK,\n Start(\"440hz-10ms.m4a\", kHashed | kUnreliableDuration));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Verify preroll is stripped. This file uses a preroll of 2112 frames, which\n // spans all three packets in the file. Postroll is not correctly stripped at\n // present; see the note below.\n EXPECT_HASH_EQ(\"3.84,4.25,4.33,3.58,3.27,3.16,\", GetAudioHash());\n\n // Note the above hash is incorrect since the <audio> path doesn't properly\n // trim trailing silence at end of stream for AAC decodes. This isn't a huge\n // deal since plain src= tags can't splice streams and MSE requires an\n // explicit append window for correctness.\n //\n // The WebAudio path via AudioFileReader computes this correctly, so the hash\n // below is taken from that test.\n //\n // EXPECT_HASH_EQ(\"3.77,4.53,4.75,3.48,3.67,3.76,\", GetAudioHash());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackHi10P) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x180-hi10p.mp4\"));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nstd::vector<std::unique_ptr<VideoDecoder>> CreateFailingVideoDecoder() {\n std::vector<std::unique_ptr<VideoDecoder>> failing_video_decoder;\n failing_video_decoder.push_back(std::make_unique<FailingVideoDecoder>());\n return failing_video_decoder;\n}\n\nTEST_F(PipelineIntegrationTest, BasicFallback) {\n ASSERT_EQ(PIPELINE_OK,\n Start(\"bear.mp4\", kNormal,\n base::BindRepeating(&CreateFailingVideoDecoder)));\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_MP4) {\n TestMediaSource source(\"bear-640x360-av_frag.mp4\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n\n const gfx::Size kNewSize(1280, 720);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-1280x720-av_frag.mp4\");\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k1280IsoFileDurationMsAV,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_Encrypted_MP4_CENC_VideoOnly) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-mdat.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n const gfx::Size kNewSize(1280, 720);\n EXPECT_CALL(*this, OnVideoConfigChange(::testing::Property(\n &VideoDecoderConfig::natural_size, kNewSize)))\n .Times(1);\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(kNewSize)).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-1280x720-v_frag-cenc.mp4\");\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(33, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k1280IsoFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_ConfigChange_Encrypted_MP4_CENC_KeyRotation_VideoOnly) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-key_rotation.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new RotatingKeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(1280, 720))).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-1280x720-v_frag-cenc-key_rotation.mp4\");\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n source.EndOfStream();\n\n Play();\n EXPECT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(33, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k1280IsoFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_ClearThenEncrypted_MP4_CENC) {\n TestMediaSource source(\"bear-640x360-v_frag.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(1280, 720))).Times(1);\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-1280x720-v_frag-cenc.mp4\");\n source.set_expected_append_result(\n TestMediaSource::ExpectedAppendResult::kFailure);\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n\n source.EndOfStream();\n\n EXPECT_EQ(33, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(kAppendTimeMs + k1280IsoFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\n// Config changes from encrypted to clear are not currently supported.\nTEST_F(PipelineIntegrationTest, MSE_ConfigChange_EncryptedThenClear_MP4_CENC) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-mdat.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n scoped_refptr<DecoderBuffer> second_file =\n ReadTestDataFile(\"bear-1280x720-av_frag.mp4\");\n\n source.set_expected_append_result(\n TestMediaSource::ExpectedAppendResult::kFailure);\n source.AppendAtTime(base::Seconds(kAppendTimeSec), second_file->data(),\n second_file->data_size());\n\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(33, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n\n // The second video was not added, so its time has not been added.\n EXPECT_EQ(k640IsoCencFileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n EXPECT_EQ(CHUNK_DEMUXER_ERROR_APPEND_FAILED, WaitUntilEndedOrError());\n source.Shutdown();\n}\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n\n// Verify files which change configuration midstream fail gracefully.\nTEST_F(PipelineIntegrationTest, MidStreamConfigChangesFail) {\n ASSERT_EQ(PIPELINE_OK, Start(\"midstream_config_change.mp3\"));\n Play();\n ASSERT_EQ(WaitUntilEndedOrError(), PIPELINE_ERROR_DECODE);\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlayback_16x9AspectRatio) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240-16x9-aspect.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_WebM) {\n TestMediaSource source(\"bear-320x240-av_enc-av.webm\", 219816);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_ClearStart_WebM) {\n TestMediaSource source(\"bear-320x240-av_enc-av_clear-1s.webm\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_NoEncryptedFrames_WebM) {\n TestMediaSource source(\"bear-320x240-av_enc-av_clear-all.webm\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new NoResponseApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_MP4_VP9_CENC_VideoOnly) {\n TestMediaSource source(\"bear-320x240-v_frag-vp9-cenc.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VideoOnly_MP4_VP9) {\n TestMediaSource source(\"bear-320x240-v_frag-vp9.mp4\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_MP4_CENC_VideoOnly) {\n TestMediaSource source(\"bear-1280x720-v_frag-cenc.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_MP4_CENC_AudioOnly) {\n TestMediaSource source(\"bear-1280x720-a_frag-cenc.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_EncryptedPlayback_NoEncryptedFrames_MP4_CENC_VideoOnly) {\n TestMediaSource source(\"bear-1280x720-v_frag-cenc_clear-all.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new NoResponseApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_Mp2ts_AAC_HE_SBR_Audio) {\n TestMediaSource source(\"bear-1280x720-aac_he.ts\", kAppendWholeFile);\n#if BUILDFLAG(ENABLE_MSE_MPEG2TS_STREAM_PARSER)\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n\n // Check that SBR is taken into account correctly by mpeg2ts parser. When an\n // SBR stream is parsed as non-SBR stream, then audio frame durations are\n // calculated incorrectly and that leads to gaps in buffered ranges (so this\n // check will fail) and eventually leads to stalled playback.\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n#else\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#endif\n}\n\nTEST_F(PipelineIntegrationTest, MSE_Mpeg2ts_MP3Audio_Mp4a_6B) {\n TestMediaSource source(\"bear-audio-mp4a.6B.ts\",\n \"video/mp2t; codecs=\\\"mp4a.6B\\\"\", kAppendWholeFile);\n#if BUILDFLAG(ENABLE_MSE_MPEG2TS_STREAM_PARSER)\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n#else\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#endif\n}\n\nTEST_F(PipelineIntegrationTest, MSE_Mpeg2ts_MP3Audio_Mp4a_69) {\n TestMediaSource source(\"bear-audio-mp4a.69.ts\",\n \"video/mp2t; codecs=\\\"mp4a.69\\\"\", kAppendWholeFile);\n#if BUILDFLAG(ENABLE_MSE_MPEG2TS_STREAM_PARSER)\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n ASSERT_EQ(PIPELINE_OK, pipeline_status_);\n#else\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#endif\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_EncryptedPlayback_NoEncryptedFrames_MP4_CENC_AudioOnly) {\n TestMediaSource source(\"bear-1280x720-a_frag-cenc_clear-all.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new NoResponseApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\n// Older packagers saved sample encryption auxiliary information in the\n// beginning of mdat box.\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_MP4_CENC_MDAT_Video) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-mdat.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_EncryptedPlayback_MP4_CENC_SENC_Video) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-senc.mp4\", kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\n// 'SAIZ' and 'SAIO' boxes contain redundant information which is already\n// available in 'SENC' box. Although 'SAIZ' and 'SAIO' boxes are required per\n// CENC spec for backward compatibility reasons, but we do not use the two\n// boxes if 'SENC' box is present, so the code should work even if the two\n// boxes are not present.\nTEST_F(PipelineIntegrationTest,\n MSE_EncryptedPlayback_MP4_CENC_SENC_NO_SAIZ_SAIO_Video) {\n TestMediaSource source(\"bear-640x360-v_frag-cenc-senc-no-saiz-saio.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new KeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_EncryptedPlayback_MP4_CENC_KeyRotation_Video) {\n TestMediaSource source(\"bear-1280x720-v_frag-cenc-key_rotation.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new RotatingKeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest,\n MSE_EncryptedPlayback_MP4_CENC_KeyRotation_Audio) {\n TestMediaSource source(\"bear-1280x720-a_frag-cenc-key_rotation.mp4\",\n kAppendWholeFile);\n FakeEncryptedMedia encrypted_media(new RotatingKeyProvidingApp());\n EXPECT_EQ(PIPELINE_OK,\n StartPipelineWithEncryptedMedia(&source, &encrypted_media));\n\n source.EndOfStream();\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VideoOnly_MP4_AVC3) {\n TestMediaSource source(\"bear-1280x720-v_frag-avc3.mp4\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n\n EXPECT_EQ(1u, pipeline_->GetBufferedTimeRanges().size());\n EXPECT_EQ(0, pipeline_->GetBufferedTimeRanges().start(0).InMilliseconds());\n EXPECT_EQ(k1280IsoAVC3FileDurationMs,\n pipeline_->GetBufferedTimeRanges().end(0).InMilliseconds());\n\n Play();\n\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n}\n\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VideoOnly_MP4_HEVC) {\n // HEVC demuxing might be enabled even on platforms that don't support HEVC\n // decoding. For those cases we'll get DECODER_ERROR_NOT_SUPPORTED, which\n // indicates indicates that we did pass media mime type checks and attempted\n // to actually demux and decode the stream. On platforms that support both\n // demuxing and decoding we'll get PIPELINE_OK.\n const char kMp4HevcVideoOnly[] = \"video/mp4; codecs=\\\"hvc1.1.6.L93.B0\\\"\";\n TestMediaSource source(\"bear-320x240-v_frag-hevc.mp4\", kMp4HevcVideoOnly,\n kAppendWholeFile);\n#if BUILDFLAG(ENABLE_PLATFORM_HEVC)\n#if BUILDFLAG(ENABLE_PLATFORM_ENCRYPTED_HEVC)\n // HEVC is only supported through EME under this build flag. So this\n // unencrypted track cannot be demuxed.\n source.set_expected_append_result(\n TestMediaSource::ExpectedAppendResult::kFailure);\n EXPECT_EQ(\n CHUNK_DEMUXER_ERROR_APPEND_FAILED,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#else\n PipelineStatus status = StartPipelineWithMediaSource(&source);\n EXPECT_TRUE(status == PIPELINE_OK || status == DECODER_ERROR_NOT_SUPPORTED);\n#endif // BUILDFLAG(ENABLE_PLATFORM_ENCRYPTED_HEVC)\n#else\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#endif // BUILDFLAG(ENABLE_PLATFORM_HEVC)\n}\n\n// Same test as above but using a different mime type.\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_VideoOnly_MP4_HEV1) {\n const char kMp4Hev1VideoOnly[] = \"video/mp4; codecs=\\\"hev1.1.6.L93.B0\\\"\";\n TestMediaSource source(\"bear-320x240-v_frag-hevc.mp4\", kMp4Hev1VideoOnly,\n kAppendWholeFile);\n#if BUILDFLAG(ENABLE_PLATFORM_HEVC)\n#if BUILDFLAG(ENABLE_PLATFORM_ENCRYPTED_HEVC)\n // HEVC is only supported through EME under this build flag. So this\n // unencrypted track cannot be demuxed.\n source.set_expected_append_result(\n TestMediaSource::ExpectedAppendResult::kFailure);\n EXPECT_EQ(\n CHUNK_DEMUXER_ERROR_APPEND_FAILED,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#else\n PipelineStatus status = StartPipelineWithMediaSource(&source);\n EXPECT_TRUE(status == PIPELINE_OK || status == DECODER_ERROR_NOT_SUPPORTED);\n#endif // BUILDFLAG(ENABLE_PLATFORM_ENCRYPTED_HEVC)\n#else\n EXPECT_EQ(\n DEMUXER_ERROR_COULD_NOT_OPEN,\n StartPipelineWithMediaSource(&source, kExpectDemuxerFailure, nullptr));\n#endif // BUILDFLAG(ENABLE_PLATFORM_HEVC)\n}\n\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n\nTEST_F(PipelineIntegrationTest, SeekWhilePaused) {\n#if defined(OS_MAC)\n // Enable scoped logs to help track down hangs. http://crbug.com/1014646\n ScopedVerboseLogEnabler scoped_log_enabler;\n#endif\n\n // This test is flaky without kNoClockless, see crbug.com/796250.\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kNoClockless));\n\n base::TimeDelta duration(pipeline_->GetMediaDuration());\n base::TimeDelta start_seek_time(duration / 4);\n base::TimeDelta seek_time(duration * 3 / 4);\n\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(start_seek_time));\n Pause();\n ASSERT_TRUE(Seek(seek_time));\n EXPECT_EQ(seek_time, pipeline_->GetMediaTime());\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Make sure seeking after reaching the end works as expected.\n Pause();\n ASSERT_TRUE(Seek(seek_time));\n EXPECT_EQ(seek_time, pipeline_->GetMediaTime());\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, SeekWhilePlaying) {\n#if defined(OS_MAC)\n // Enable scoped logs to help track down hangs. http://crbug.com/1014646\n ScopedVerboseLogEnabler scoped_log_enabler;\n#endif\n\n // This test is flaky without kNoClockless, see crbug.com/796250.\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\", kNoClockless));\n\n base::TimeDelta duration(pipeline_->GetMediaDuration());\n base::TimeDelta start_seek_time(duration / 4);\n base::TimeDelta seek_time(duration * 3 / 4);\n\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(start_seek_time));\n ASSERT_TRUE(Seek(seek_time));\n EXPECT_GE(pipeline_->GetMediaTime(), seek_time);\n ASSERT_TRUE(WaitUntilOnEnded());\n\n // Make sure seeking after reaching the end works as expected.\n ASSERT_TRUE(Seek(seek_time));\n EXPECT_GE(pipeline_->GetMediaTime(), seek_time);\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, SuspendWhilePaused) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\"));\n\n base::TimeDelta duration(pipeline_->GetMediaDuration());\n base::TimeDelta start_seek_time(duration / 4);\n base::TimeDelta seek_time(duration * 3 / 4);\n\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(start_seek_time));\n Pause();\n\n // Suspend while paused.\n ASSERT_TRUE(Suspend());\n\n // Resuming the pipeline will create a new Renderer,\n // which in turn will trigger video size and opacity notifications.\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(320, 240))).Times(1);\n EXPECT_CALL(*this, OnVideoOpacityChange(true)).Times(1);\n\n ASSERT_TRUE(Resume(seek_time));\n EXPECT_GE(pipeline_->GetMediaTime(), seek_time);\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, SuspendWhilePlaying) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240.webm\"));\n\n base::TimeDelta duration(pipeline_->GetMediaDuration());\n base::TimeDelta start_seek_time(duration / 4);\n base::TimeDelta seek_time(duration * 3 / 4);\n\n Play();\n ASSERT_TRUE(WaitUntilCurrentTimeIsAfter(start_seek_time));\n ASSERT_TRUE(Suspend());\n\n // Resuming the pipeline will create a new Renderer,\n // which in turn will trigger video size and opacity notifications.\n EXPECT_CALL(*this, OnVideoNaturalSizeChange(gfx::Size(320, 240))).Times(1);\n EXPECT_CALL(*this, OnVideoOpacityChange(true)).Times(1);\n\n ASSERT_TRUE(Resume(seek_time));\n EXPECT_GE(pipeline_->GetMediaTime(), seek_time);\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\nTEST_F(PipelineIntegrationTest, Rotated_Metadata_0) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_rotate_0.mp4\"));\n ASSERT_EQ(VIDEO_ROTATION_0,\n metadata_.video_decoder_config.video_transformation().rotation);\n}\n\nTEST_F(PipelineIntegrationTest, Rotated_Metadata_90) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_rotate_90.mp4\"));\n ASSERT_EQ(VIDEO_ROTATION_90,\n metadata_.video_decoder_config.video_transformation().rotation);\n}\n\nTEST_F(PipelineIntegrationTest, Rotated_Metadata_180) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_rotate_180.mp4\"));\n ASSERT_EQ(VIDEO_ROTATION_180,\n metadata_.video_decoder_config.video_transformation().rotation);\n}\n\nTEST_F(PipelineIntegrationTest, Rotated_Metadata_270) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_rotate_270.mp4\"));\n ASSERT_EQ(VIDEO_ROTATION_270,\n metadata_.video_decoder_config.video_transformation().rotation);\n}\n\nTEST_F(PipelineIntegrationTest, Spherical) {\n ASSERT_EQ(PIPELINE_OK, Start(\"spherical.mp4\", kHashed));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_HASH_EQ(\"1cb7f980020d99ea852e22dd6bd8d9de\", GetVideoHash());\n}\n#endif // BUILDFLAG(USE_PROPRIETARY_CODECS)\n\n// Verify audio decoder & renderer can handle aborted demuxer reads.\nTEST_F(PipelineIntegrationTest, MSE_ChunkDemuxerAbortRead_AudioOnly) {\n ASSERT_TRUE(TestSeekDuringRead(\"bear-320x240-audio-only.webm\", 16384,\n base::Milliseconds(464),\n base::Milliseconds(617), 0x10CA, 19730));\n}\n\n// Verify video decoder & renderer can handle aborted demuxer reads.\nTEST_F(PipelineIntegrationTest, MSE_ChunkDemuxerAbortRead_VideoOnly) {\n ASSERT_TRUE(TestSeekDuringRead(\"bear-320x240-video-only.webm\", 32768,\n base::Milliseconds(167),\n base::Milliseconds(1668), 0x1C896, 65536));\n}\n\nTEST_F(PipelineIntegrationTest,\n BasicPlayback_AudioOnly_Opus_4ch_ChannelMapping2_WebM) {\n ASSERT_EQ(\n PIPELINE_OK,\n Start(\"bear-opus-end-trimming-4ch-channelmapping2.webm\", kWebAudio));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest,\n BasicPlayback_AudioOnly_Opus_11ch_ChannelMapping2_WebM) {\n ASSERT_EQ(\n PIPELINE_OK,\n Start(\"bear-opus-end-trimming-11ch-channelmapping2.webm\", kWebAudio));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Verify that VP9 video in WebM containers can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VideoOnly_VP9_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n#if BUILDFLAG(ENABLE_AV1_DECODER)\nTEST_F(PipelineIntegrationTest, BasicPlayback_VideoOnly_AV1_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-av1.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n#endif\n\n// Verify that VP9 video and Opus audio in the same WebM container can be played\n// back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP9_Opus_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9-opus.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Verify that VP8 video with alpha channel can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP8A_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp8a.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I420A);\n}\n\n// Verify that VP8A video with odd width/height can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP8A_Odd_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp8a-odd-dimensions.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I420A);\n}\n\n// Verify that VP9 video with odd width/height can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP9_Odd_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9-odd-dimensions.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Verify that VP9 video with alpha channel can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP9A_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9a.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I420A);\n}\n\n// Verify that VP9A video with odd width/height can be played back.\nTEST_F(PipelineIntegrationTest, BasicPlayback_VP9A_Odd_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9a-odd-dimensions.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I420A);\n}\n\n// Verify that VP9 video with 4:4:4 subsampling can be played back.\nTEST_F(PipelineIntegrationTest, P444_VP9_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-320x240-P444.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I444);\n}\n\n// Verify that frames of VP9 video in the BT.709 color space have the YV12HD\n// format.\nTEST_F(PipelineIntegrationTest, BT709_VP9_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-vp9-bt709.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_VIDEO_FORMAT_EQ(last_video_frame_format_, PIXEL_FORMAT_I420);\n EXPECT_COLOR_SPACE_EQ(last_video_frame_color_space_,\n gfx::ColorSpace::CreateREC709());\n}\n\n#if BUILDFLAG(USE_PROPRIETARY_CODECS)\n// Verify that full-range H264 video has the right color space.\nTEST_F(PipelineIntegrationTest, Fullrange_H264) {\n ASSERT_EQ(PIPELINE_OK, Start(\"blackwhite_yuvj420p.mp4\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n EXPECT_COLOR_SPACE_EQ(last_video_frame_color_space_,\n gfx::ColorSpace::CreateJpeg());\n}\n#endif\n\nTEST_F(PipelineIntegrationTest, HD_VP9_WebM) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear-1280x720.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Verify that videos with an odd frame size playback successfully.\nTEST_F(PipelineIntegrationTest, BasicPlayback_OddVideoSize) {\n ASSERT_EQ(PIPELINE_OK, Start(\"butterfly-853x480.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Verify that OPUS audio in a webm which reports a 44.1kHz sample rate plays\n// correctly at 48kHz\nTEST_F(PipelineIntegrationTest, BasicPlayback_Opus441kHz) {\n ASSERT_EQ(PIPELINE_OK, Start(\"sfx-opus-441.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n\n EXPECT_EQ(48000, demuxer_->GetFirstStream(DemuxerStream::AUDIO)\n ->audio_decoder_config()\n .samples_per_second());\n}\n\n// Same as above but using MediaSource.\nTEST_F(PipelineIntegrationTest, MSE_BasicPlayback_Opus441kHz) {\n TestMediaSource source(\"sfx-opus-441.webm\", kAppendWholeFile);\n EXPECT_EQ(PIPELINE_OK, StartPipelineWithMediaSource(&source));\n source.EndOfStream();\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n source.Shutdown();\n Stop();\n EXPECT_EQ(48000, demuxer_->GetFirstStream(DemuxerStream::AUDIO)\n ->audio_decoder_config()\n .samples_per_second());\n}\n\n// Ensures audio-only playback with missing or negative timestamps works. Tests\n// the common live-streaming case for chained ogg. See http://crbug.com/396864.\nTEST_F(PipelineIntegrationTest, BasicPlaybackChainedOgg) {\n ASSERT_EQ(PIPELINE_OK, Start(\"double-sfx.ogg\", kUnreliableDuration));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n ASSERT_EQ(base::TimeDelta(), demuxer_->GetStartTime());\n}\n\nTEST_F(PipelineIntegrationTest, TrailingGarbage) {\n ASSERT_EQ(PIPELINE_OK, Start(\"trailing-garbage.mp3\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Ensures audio-video playback with missing or negative timestamps fails\n// instead of crashing. See http://crbug.com/396864.\nTEST_F(PipelineIntegrationTest, BasicPlaybackChainedOggVideo) {\n ASSERT_EQ(DEMUXER_ERROR_COULD_NOT_PARSE,\n Start(\"double-bear.ogv\", kUnreliableDuration));\n}\n\n// Tests that we signal ended even when audio runs longer than video track.\nTEST_F(PipelineIntegrationTest, BasicPlaybackAudioLongerThanVideo) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_audio_longer_than_video.ogv\"));\n // Audio track is 2000ms. Video track is 1001ms. Duration should be higher\n // of the two.\n EXPECT_EQ(2000, pipeline_->GetMediaDuration().InMilliseconds());\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\n// Tests that we signal ended even when audio runs shorter than video track.\nTEST_F(PipelineIntegrationTest, BasicPlaybackAudioShorterThanVideo) {\n ASSERT_EQ(PIPELINE_OK, Start(\"bear_audio_shorter_than_video.ogv\"));\n // Audio track is 500ms. Video track is 1001ms. Duration should be higher of\n // the two.\n EXPECT_EQ(1001, pipeline_->GetMediaDuration().InMilliseconds());\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n}\n\nTEST_F(PipelineIntegrationTest, BasicPlaybackPositiveStartTime) {\n ASSERT_EQ(PIPELINE_OK, Start(\"nonzero-start-time.webm\"));\n Play();\n ASSERT_TRUE(WaitUntilOnEnded());\n ASSERT_EQ(base::Microseconds(396000), demuxer_->GetStartTime());\n}\n\n} // namespace media\n" + } +} \ No newline at end of file diff --git a/tools/disable_tests/tests/gtest-basic.json b/tools/disable_tests/tests/gtest-basic.json new file mode 100644 index 0000000000000..b581c153f7a49 --- /dev/null +++ b/tools/disable_tests/tests/gtest-basic.json @@ -0,0 +1,13 @@ +{ + "args": [ + "./disable", + "ninja://chrome/test:browser_tests/BrowserViewTest.GetAccessibleTabModalDialogTree" + ], + "requests": "{\"GetTestResultHistory/{\\\"realm\\\": \\\"chromium:ci\\\", \\\"testIdRegexp\\\": \\\"ninja://chrome/test:browser_tests/BrowserViewTest.GetAccessibleTabModalDialogTree\\\", \\\"pageSize\\\": 1}\": \"{\\\"entries\\\":[{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:25:21.380979Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b0153880add11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FBrowserViewTest.GetAccessibleTabModalDialogTree/results/c5a73307-01290\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/BrowserViewTest.GetAccessibleTabModalDialogTree\\\",\\\"resultId\\\":\\\"c5a73307-01290\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux Tests\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"1.046s\\\",\\\"variantHash\\\":\\\"9db5781eb6173fa8\\\"}}],\\\"nextPageToken\\\":\\\"CgJ0cwoYMDhhMWJkYjc4YzA2MTBiODhlZDViNTAxCgEx\\\"}\\n\", \"GetTestResult/{\\\"name\\\": \\\"invocations/task-chromium-swarm.appspot.com-572b0153880add11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FBrowserViewTest.GetAccessibleTabModalDialogTree/results/c5a73307-01290\\\"}\": \"{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b0153880add11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FBrowserViewTest.GetAccessibleTabModalDialogTree/results/c5a73307-01290\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/BrowserViewTest.GetAccessibleTabModalDialogTree\\\",\\\"resultId\\\":\\\"c5a73307-01290\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux Tests\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"summaryHtml\\\":\\\"\\\\u003cp\\\\u003e\\\\u003ctext-artifact artifact-id=\\\\\\\"snippet\\\\\\\" /\\\\u003e\\\\u003c/p\\\\u003e\\\",\\\"duration\\\":\\\"1.046s\\\",\\\"tags\\\":[{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"CPU_64_BITS\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"MODE_RELEASE\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_LINUX\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_POSIX\\\"},{\\\"key\\\":\\\"gtest_status\\\",\\\"value\\\":\\\"SUCCESS\\\"},{\\\"key\\\":\\\"lossless_snippet\\\",\\\"value\\\":\\\"true\\\"},{\\\"key\\\":\\\"monorail_component\\\",\\\"value\\\":\\\"UI\\\\u003eBrowser\\\"},{\\\"key\\\":\\\"orig_format\\\",\\\"value\\\":\\\"chromium_gtest\\\"},{\\\"key\\\":\\\"step_name\\\",\\\"value\\\":\\\"browser_tests on Ubuntu-18.04\\\"},{\\\"key\\\":\\\"team_email\\\",\\\"value\\\":\\\"chromium-reviews@chromium.org\\\"},{\\\"key\\\":\\\"test_name\\\",\\\"value\\\":\\\"BrowserViewTest.GetAccessibleTabModalDialogTree\\\"}],\\\"variantHash\\\":\\\"9db5781eb6173fa8\\\",\\\"testMetadata\\\":{\\\"name\\\":\\\"BrowserViewTest.GetAccessibleTabModalDialogTree\\\",\\\"location\\\":{\\\"repo\\\":\\\"https://chromium.googlesource.com/chromium/src\\\",\\\"fileName\\\":\\\"//chrome/browser/ui/views/frame/browser_view_browsertest.cc\\\",\\\"line\\\":351}}}\\n\"}", + "read_data": { + "chrome/browser/ui/views/frame/browser_view_browsertest.cc": "// Copyright 2013 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"chrome/browser/ui/views/frame/browser_view.h\"\n\n#include \"base/macros.h\"\n#include \"base/strings/utf_string_conversions.h\"\n#include \"build/build_config.h\"\n#include \"build/chromeos_buildflags.h\"\n#include \"chrome/browser/devtools/devtools_window_testing.h\"\n#include \"chrome/browser/ui/browser.h\"\n#include \"chrome/browser/ui/browser_tabstrip.h\"\n#include \"chrome/browser/ui/tab_modal_confirm_dialog.h\"\n#include \"chrome/browser/ui/tab_ui_helper.h\"\n#include \"chrome/browser/ui/tabs/tab_strip_model.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view_observer.h\"\n#include \"chrome/browser/ui/views/tabs/tab_strip.h\"\n#include \"chrome/common/pref_names.h\"\n#include \"chrome/common/url_constants.h\"\n#include \"chrome/grit/chromium_strings.h\"\n#include \"chrome/test/base/in_process_browser_test.h\"\n#include \"chrome/test/base/ui_test_utils.h\"\n#include \"components/bookmarks/common/bookmark_pref_names.h\"\n#include \"components/prefs/pref_service.h\"\n#include \"content/public/browser/invalidate_type.h\"\n#include \"content/public/browser/web_contents.h\"\n#include \"content/public/browser/web_contents_observer.h\"\n#include \"content/public/test/browser_test.h\"\n#include \"content/public/test/browser_test_utils.h\"\n#include \"content/public/test/test_navigation_observer.h\"\n#include \"media/base/media_switches.h\"\n#include \"ui/accessibility/platform/ax_platform_node.h\"\n#include \"ui/accessibility/platform/ax_platform_node_test_helper.h\"\n#include \"ui/base/l10n/l10n_util.h\"\n\n#if defined(USE_AURA)\n#include \"ui/aura/client/focus_client.h\"\n#include \"ui/views/widget/native_widget_aura.h\"\n#endif // USE_AURA\n\nclass BrowserViewTest : public InProcessBrowserTest {\n public:\n BrowserViewTest() : devtools_(nullptr) {}\n\n BrowserViewTest(const BrowserViewTest&) = delete;\n BrowserViewTest& operator=(const BrowserViewTest&) = delete;\n\n protected:\n BrowserView* browser_view() {\n return BrowserView::GetBrowserViewForBrowser(browser());\n }\n\n views::WebView* devtools_web_view() {\n return browser_view()->GetDevToolsWebViewForTest();\n }\n\n views::WebView* contents_web_view() {\n return browser_view()->contents_web_view();\n }\n\n void OpenDevToolsWindow(bool docked) {\n devtools_ =\n DevToolsWindowTesting::OpenDevToolsWindowSync(browser(), docked);\n }\n\n void CloseDevToolsWindow() {\n DevToolsWindowTesting::CloseDevToolsWindowSync(devtools_);\n }\n\n void SetDevToolsBounds(const gfx::Rect& bounds) {\n DevToolsWindowTesting::Get(devtools_)->SetInspectedPageBounds(bounds);\n }\n\n DevToolsWindow* devtools_;\n\n private:\n base::test::ScopedFeatureList scoped_feature_list_;\n};\n\nnamespace {\n\n// Used to simulate scenario in a crash. When WebContentsDestroyed() is invoked\n// updates the navigation state of another tab.\nclass TestWebContentsObserver : public content::WebContentsObserver {\n public:\n TestWebContentsObserver(content::WebContents* source,\n content::WebContents* other)\n : content::WebContentsObserver(source),\n other_(other) {}\n\n TestWebContentsObserver(const TestWebContentsObserver&) = delete;\n TestWebContentsObserver& operator=(const TestWebContentsObserver&) = delete;\n\n ~TestWebContentsObserver() override {}\n\n void WebContentsDestroyed() override {\n other_->NotifyNavigationStateChanged(static_cast<content::InvalidateTypes>(\n content::INVALIDATE_TYPE_URL | content::INVALIDATE_TYPE_LOAD));\n }\n\n private:\n content::WebContents* other_;\n};\n\nclass TestTabModalConfirmDialogDelegate : public TabModalConfirmDialogDelegate {\n public:\n explicit TestTabModalConfirmDialogDelegate(content::WebContents* contents)\n : TabModalConfirmDialogDelegate(contents) {}\n\n TestTabModalConfirmDialogDelegate(const TestTabModalConfirmDialogDelegate&) =\n delete;\n TestTabModalConfirmDialogDelegate& operator=(\n const TestTabModalConfirmDialogDelegate&) = delete;\n\n std::u16string GetTitle() override { return std::u16string(u\"Dialog Title\"); }\n std::u16string GetDialogMessage() override { return std::u16string(); }\n};\n} // namespace\n\n// Verifies don't crash when CloseNow() is invoked with two tabs in a browser.\n// Additionally when one of the tabs is destroyed NotifyNavigationStateChanged()\n// is invoked on the other.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabs) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Same as CloseWithTabs, but activates the first tab, which is the first tab\n// BrowserView will destroy.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabsStartWithActive) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n browser2->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Verifies that page and devtools WebViews are being correctly layed out\n// when DevTools is opened/closed/updated/undocked.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, DevToolsUpdatesBrowserWindow) {\n gfx::Rect full_bounds =\n browser_view()->GetContentsContainerForTest()->GetLocalBounds();\n gfx::Rect small_bounds(10, 20, 30, 40);\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Docked.\n OpenDevToolsWindow(true);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Undocked.\n OpenDevToolsWindow(false);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n}\n\nclass BookmarkBarViewObserverImpl : public BookmarkBarViewObserver {\n public:\n BookmarkBarViewObserverImpl() : change_count_(0) {\n }\n\n BookmarkBarViewObserverImpl(const BookmarkBarViewObserverImpl&) = delete;\n BookmarkBarViewObserverImpl& operator=(const BookmarkBarViewObserverImpl&) =\n delete;\n\n int change_count() const { return change_count_; }\n void clear_change_count() { change_count_ = 0; }\n\n // BookmarkBarViewObserver:\n void OnBookmarkBarVisibilityChanged() override { change_count_++; }\n\n private:\n int change_count_ = 0;\n};\n\n// Verifies we don't unnecessarily change the visibility of the BookmarkBarView.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, AvoidUnnecessaryVisibilityChanges) {\n // Create two tabs, the first empty and the second the ntp. Make it so the\n // BookmarkBarView isn't shown.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, false);\n GURL new_tab_url(chrome::kChromeUINewTabURL);\n chrome::AddTabAt(browser(), GURL(), -1, true);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), new_tab_url));\n\n ASSERT_TRUE(browser_view()->bookmark_bar());\n BookmarkBarViewObserverImpl observer;\n BookmarkBarView* bookmark_bar = browser_view()->bookmark_bar();\n bookmark_bar->AddObserver(&observer);\n EXPECT_FALSE(bookmark_bar->GetVisible());\n\n // Go to empty tab. Bookmark bar should hide.\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Go to ntp tab. Bookmark bar should not show.\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Repeat with the bookmark bar always visible.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, true);\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(1, observer.change_count());\n observer.clear_change_count();\n\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n browser_view()->bookmark_bar()->RemoveObserver(&observer);\n}\n\n// Launch the app, navigate to a page with a title, check that the tab title\n// is set before load finishes and the throbber state updates when the title\n// changes. Regression test for crbug.com/752266\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, TitleAndLoadState) {\n const std::u16string test_title(u\"Title Of Awesomeness\");\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n content::TitleWatcher title_watcher(contents, test_title);\n content::TestNavigationObserver navigation_watcher(\n contents, 1, content::MessageLoopRunner::QuitMode::DEFERRED);\n\n TabStrip* tab_strip = browser_view()->tabstrip();\n // Navigate without blocking.\n const GURL test_url = ui_test_utils::GetTestUrl(\n base::FilePath(base::FilePath::kCurrentDirectory),\n base::FilePath(FILE_PATH_LITERAL(\"title2.html\")));\n contents->GetController().LoadURL(test_url, content::Referrer(),\n ui::PAGE_TRANSITION_LINK, std::string());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kWaiting,\n tab_strip->tab_at(0)->data().network_state);\n EXPECT_EQ(test_title, title_watcher.WaitAndGetTitle());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kLoading,\n tab_strip->tab_at(0)->data().network_state);\n\n // Now block for the navigation to complete.\n navigation_watcher.Wait();\n EXPECT_FALSE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kNone, tab_strip->tab_at(0)->data().network_state);\n}\n\n// Verifies a tab should show its favicon.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, ShowFaviconInTab) {\n // Opens \"chrome://version/\" page, which uses default favicon.\n GURL version_url(chrome::kChromeUIVersionURL);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), version_url));\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n auto* helper = TabUIHelper::FromWebContents(contents);\n ASSERT_TRUE(helper);\n\n auto favicon = helper->GetFavicon();\n ASSERT_FALSE(favicon.IsEmpty());\n}\n\n// On Mac, voiceover treats tab modal dialogs as native windows, so setting an\n// accessible title for tab-modal dialogs is not necessary.\n#if !defined(OS_MAC)\n\n// Open a tab-modal dialog and check that the accessible window title is the\n// title of the dialog.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, GetAccessibleTabModalDialogTitle) {\n std::u16string window_title =\n u\"about:blank - \" + l10n_util::GetStringUTF16(IDS_PRODUCT_NAME);\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TestTabModalConfirmDialogDelegate* delegate_observer = delegate.get();\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n EXPECT_EQ(browser_view()->GetAccessibleWindowTitle(),\n delegate_observer->GetTitle());\n\n delegate_observer->Close();\n\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n}\n\n// Open a tab-modal dialog and check that the accessibility tree only contains\n// the dialog.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, GetAccessibleTabModalDialogTree) {\n ui::testing::ScopedAxModeSetter ax_mode_setter(ui::kAXModeComplete);\n ui::AXPlatformNode* ax_node = ui::AXPlatformNode::FromNativeViewAccessible(\n browser_view()->GetWidget()->GetRootView()->GetNativeViewAccessible());\n// We expect this conversion to be safe on Windows, but can't guarantee that it\n// is safe on other platforms.\n#if defined(OS_WIN)\n ASSERT_TRUE(ax_node);\n#else\n if (!ax_node)\n return;\n#endif\n\n // There is no dialog, but the browser UI should be visible. So we expect the\n // browser's reload button and no \"OK\" button from a dialog.\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n\n // The tab modal dialog should be in the accessibility tree; everything else\n // should be hidden. So we expect an \"OK\" button and no reload button.\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n}\n\n#endif // !defined(OS_MAC)\n" + }, + "written_data": { + "chrome/browser/ui/views/frame/browser_view_browsertest.cc": "// Copyright 2013 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"chrome/browser/ui/views/frame/browser_view.h\"\n\n#include \"base/macros.h\"\n#include \"base/strings/utf_string_conversions.h\"\n#include \"build/build_config.h\"\n#include \"build/chromeos_buildflags.h\"\n#include \"chrome/browser/devtools/devtools_window_testing.h\"\n#include \"chrome/browser/ui/browser.h\"\n#include \"chrome/browser/ui/browser_tabstrip.h\"\n#include \"chrome/browser/ui/tab_modal_confirm_dialog.h\"\n#include \"chrome/browser/ui/tab_ui_helper.h\"\n#include \"chrome/browser/ui/tabs/tab_strip_model.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view_observer.h\"\n#include \"chrome/browser/ui/views/tabs/tab_strip.h\"\n#include \"chrome/common/pref_names.h\"\n#include \"chrome/common/url_constants.h\"\n#include \"chrome/grit/chromium_strings.h\"\n#include \"chrome/test/base/in_process_browser_test.h\"\n#include \"chrome/test/base/ui_test_utils.h\"\n#include \"components/bookmarks/common/bookmark_pref_names.h\"\n#include \"components/prefs/pref_service.h\"\n#include \"content/public/browser/invalidate_type.h\"\n#include \"content/public/browser/web_contents.h\"\n#include \"content/public/browser/web_contents_observer.h\"\n#include \"content/public/test/browser_test.h\"\n#include \"content/public/test/browser_test_utils.h\"\n#include \"content/public/test/test_navigation_observer.h\"\n#include \"media/base/media_switches.h\"\n#include \"ui/accessibility/platform/ax_platform_node.h\"\n#include \"ui/accessibility/platform/ax_platform_node_test_helper.h\"\n#include \"ui/base/l10n/l10n_util.h\"\n\n#if defined(USE_AURA)\n#include \"ui/aura/client/focus_client.h\"\n#include \"ui/views/widget/native_widget_aura.h\"\n#endif // USE_AURA\n\nclass BrowserViewTest : public InProcessBrowserTest {\n public:\n BrowserViewTest() : devtools_(nullptr) {}\n\n BrowserViewTest(const BrowserViewTest&) = delete;\n BrowserViewTest& operator=(const BrowserViewTest&) = delete;\n\n protected:\n BrowserView* browser_view() {\n return BrowserView::GetBrowserViewForBrowser(browser());\n }\n\n views::WebView* devtools_web_view() {\n return browser_view()->GetDevToolsWebViewForTest();\n }\n\n views::WebView* contents_web_view() {\n return browser_view()->contents_web_view();\n }\n\n void OpenDevToolsWindow(bool docked) {\n devtools_ =\n DevToolsWindowTesting::OpenDevToolsWindowSync(browser(), docked);\n }\n\n void CloseDevToolsWindow() {\n DevToolsWindowTesting::CloseDevToolsWindowSync(devtools_);\n }\n\n void SetDevToolsBounds(const gfx::Rect& bounds) {\n DevToolsWindowTesting::Get(devtools_)->SetInspectedPageBounds(bounds);\n }\n\n DevToolsWindow* devtools_;\n\n private:\n base::test::ScopedFeatureList scoped_feature_list_;\n};\n\nnamespace {\n\n// Used to simulate scenario in a crash. When WebContentsDestroyed() is invoked\n// updates the navigation state of another tab.\nclass TestWebContentsObserver : public content::WebContentsObserver {\n public:\n TestWebContentsObserver(content::WebContents* source,\n content::WebContents* other)\n : content::WebContentsObserver(source),\n other_(other) {}\n\n TestWebContentsObserver(const TestWebContentsObserver&) = delete;\n TestWebContentsObserver& operator=(const TestWebContentsObserver&) = delete;\n\n ~TestWebContentsObserver() override {}\n\n void WebContentsDestroyed() override {\n other_->NotifyNavigationStateChanged(static_cast<content::InvalidateTypes>(\n content::INVALIDATE_TYPE_URL | content::INVALIDATE_TYPE_LOAD));\n }\n\n private:\n content::WebContents* other_;\n};\n\nclass TestTabModalConfirmDialogDelegate : public TabModalConfirmDialogDelegate {\n public:\n explicit TestTabModalConfirmDialogDelegate(content::WebContents* contents)\n : TabModalConfirmDialogDelegate(contents) {}\n\n TestTabModalConfirmDialogDelegate(const TestTabModalConfirmDialogDelegate&) =\n delete;\n TestTabModalConfirmDialogDelegate& operator=(\n const TestTabModalConfirmDialogDelegate&) = delete;\n\n std::u16string GetTitle() override { return std::u16string(u\"Dialog Title\"); }\n std::u16string GetDialogMessage() override { return std::u16string(); }\n};\n} // namespace\n\n// Verifies don't crash when CloseNow() is invoked with two tabs in a browser.\n// Additionally when one of the tabs is destroyed NotifyNavigationStateChanged()\n// is invoked on the other.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabs) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Same as CloseWithTabs, but activates the first tab, which is the first tab\n// BrowserView will destroy.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabsStartWithActive) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n browser2->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Verifies that page and devtools WebViews are being correctly layed out\n// when DevTools is opened/closed/updated/undocked.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, DevToolsUpdatesBrowserWindow) {\n gfx::Rect full_bounds =\n browser_view()->GetContentsContainerForTest()->GetLocalBounds();\n gfx::Rect small_bounds(10, 20, 30, 40);\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Docked.\n OpenDevToolsWindow(true);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Undocked.\n OpenDevToolsWindow(false);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n}\n\nclass BookmarkBarViewObserverImpl : public BookmarkBarViewObserver {\n public:\n BookmarkBarViewObserverImpl() : change_count_(0) {\n }\n\n BookmarkBarViewObserverImpl(const BookmarkBarViewObserverImpl&) = delete;\n BookmarkBarViewObserverImpl& operator=(const BookmarkBarViewObserverImpl&) =\n delete;\n\n int change_count() const { return change_count_; }\n void clear_change_count() { change_count_ = 0; }\n\n // BookmarkBarViewObserver:\n void OnBookmarkBarVisibilityChanged() override { change_count_++; }\n\n private:\n int change_count_ = 0;\n};\n\n// Verifies we don't unnecessarily change the visibility of the BookmarkBarView.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, AvoidUnnecessaryVisibilityChanges) {\n // Create two tabs, the first empty and the second the ntp. Make it so the\n // BookmarkBarView isn't shown.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, false);\n GURL new_tab_url(chrome::kChromeUINewTabURL);\n chrome::AddTabAt(browser(), GURL(), -1, true);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), new_tab_url));\n\n ASSERT_TRUE(browser_view()->bookmark_bar());\n BookmarkBarViewObserverImpl observer;\n BookmarkBarView* bookmark_bar = browser_view()->bookmark_bar();\n bookmark_bar->AddObserver(&observer);\n EXPECT_FALSE(bookmark_bar->GetVisible());\n\n // Go to empty tab. Bookmark bar should hide.\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Go to ntp tab. Bookmark bar should not show.\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Repeat with the bookmark bar always visible.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, true);\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(1, observer.change_count());\n observer.clear_change_count();\n\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n browser_view()->bookmark_bar()->RemoveObserver(&observer);\n}\n\n// Launch the app, navigate to a page with a title, check that the tab title\n// is set before load finishes and the throbber state updates when the title\n// changes. Regression test for crbug.com/752266\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, TitleAndLoadState) {\n const std::u16string test_title(u\"Title Of Awesomeness\");\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n content::TitleWatcher title_watcher(contents, test_title);\n content::TestNavigationObserver navigation_watcher(\n contents, 1, content::MessageLoopRunner::QuitMode::DEFERRED);\n\n TabStrip* tab_strip = browser_view()->tabstrip();\n // Navigate without blocking.\n const GURL test_url = ui_test_utils::GetTestUrl(\n base::FilePath(base::FilePath::kCurrentDirectory),\n base::FilePath(FILE_PATH_LITERAL(\"title2.html\")));\n contents->GetController().LoadURL(test_url, content::Referrer(),\n ui::PAGE_TRANSITION_LINK, std::string());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kWaiting,\n tab_strip->tab_at(0)->data().network_state);\n EXPECT_EQ(test_title, title_watcher.WaitAndGetTitle());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kLoading,\n tab_strip->tab_at(0)->data().network_state);\n\n // Now block for the navigation to complete.\n navigation_watcher.Wait();\n EXPECT_FALSE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kNone, tab_strip->tab_at(0)->data().network_state);\n}\n\n// Verifies a tab should show its favicon.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, ShowFaviconInTab) {\n // Opens \"chrome://version/\" page, which uses default favicon.\n GURL version_url(chrome::kChromeUIVersionURL);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), version_url));\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n auto* helper = TabUIHelper::FromWebContents(contents);\n ASSERT_TRUE(helper);\n\n auto favicon = helper->GetFavicon();\n ASSERT_FALSE(favicon.IsEmpty());\n}\n\n// On Mac, voiceover treats tab modal dialogs as native windows, so setting an\n// accessible title for tab-modal dialogs is not necessary.\n#if !defined(OS_MAC)\n\n// Open a tab-modal dialog and check that the accessible window title is the\n// title of the dialog.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, GetAccessibleTabModalDialogTitle) {\n std::u16string window_title =\n u\"about:blank - \" + l10n_util::GetStringUTF16(IDS_PRODUCT_NAME);\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TestTabModalConfirmDialogDelegate* delegate_observer = delegate.get();\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n EXPECT_EQ(browser_view()->GetAccessibleWindowTitle(),\n delegate_observer->GetTitle());\n\n delegate_observer->Close();\n\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n}\n\n// Open a tab-modal dialog and check that the accessibility tree only contains\n// the dialog.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest,\n DISABLED_GetAccessibleTabModalDialogTree) {\n ui::testing::ScopedAxModeSetter ax_mode_setter(ui::kAXModeComplete);\n ui::AXPlatformNode* ax_node = ui::AXPlatformNode::FromNativeViewAccessible(\n browser_view()->GetWidget()->GetRootView()->GetNativeViewAccessible());\n// We expect this conversion to be safe on Windows, but can't guarantee that it\n// is safe on other platforms.\n#if defined(OS_WIN)\n ASSERT_TRUE(ax_node);\n#else\n if (!ax_node)\n return;\n#endif\n\n // There is no dialog, but the browser UI should be visible. So we expect the\n // browser's reload button and no \"OK\" button from a dialog.\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n\n // The tab modal dialog should be in the accessibility tree; everything else\n // should be hidden. So we expect an \"OK\" button and no reload button.\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n}\n\n#endif // !defined(OS_MAC)\n" + } +} \ No newline at end of file diff --git a/tools/disable_tests/tests/gtest-conditional-to-unconditional.json b/tools/disable_tests/tests/gtest-conditional-to-unconditional.json new file mode 100644 index 0000000000000..69a877f266d1b --- /dev/null +++ b/tools/disable_tests/tests/gtest-conditional-to-unconditional.json @@ -0,0 +1,13 @@ +{ + "args": [ + "./disable", + "EmbeddedTestServerTest.ConnectionListenerComplete" + ], + "requests": "{\"GetTestResultHistory/{\\\"realm\\\": \\\"chromium:ci\\\", \\\"testIdRegexp\\\": \\\"ninja://.*/EmbeddedTestServerTest.ConnectionListenerComplete(/.*)?\\\", \\\"pageSize\\\": 1}\": \"{\\\"entries\\\":[{\\\"invocationTimestamp\\\":\\\"2021-11-12T04:08:24.036092Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b08d44e0f1f11/tests/ninja:%2F%2Fnet:net_unittests%2FEmbeddedTestServerTest.ConnectionListenerComplete%2FEmbeddedTestServerTestInstantiation.0/results/4da3b2fd-01064\\\",\\\"testId\\\":\\\"ninja://net:net_unittests/EmbeddedTestServerTest.ConnectionListenerComplete/EmbeddedTestServerTestInstantiation.0\\\",\\\"resultId\\\":\\\"4da3b2fd-01064\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux TSan Tests\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"net_unittests\\\"}},\\\"status\\\":\\\"FAIL\\\",\\\"duration\\\":\\\"20.027s\\\",\\\"variantHash\\\":\\\"831e8341176b94de\\\"}}],\\\"nextPageToken\\\":\\\"CgJ0cwoWMDhiOGQxYjc4YzA2MTBlMGYwOWExMQoBMQ==\\\"}\\n\", \"GetTestResult/{\\\"name\\\": \\\"invocations/task-chromium-swarm.appspot.com-572b08d44e0f1f11/tests/ninja:%2F%2Fnet:net_unittests%2FEmbeddedTestServerTest.ConnectionListenerComplete%2FEmbeddedTestServerTestInstantiation.0/results/4da3b2fd-01064\\\"}\": \"{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b08d44e0f1f11/tests/ninja:%2F%2Fnet:net_unittests%2FEmbeddedTestServerTest.ConnectionListenerComplete%2FEmbeddedTestServerTestInstantiation.0/results/4da3b2fd-01064\\\",\\\"testId\\\":\\\"ninja://net:net_unittests/EmbeddedTestServerTest.ConnectionListenerComplete/EmbeddedTestServerTestInstantiation.0\\\",\\\"resultId\\\":\\\"4da3b2fd-01064\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux TSan Tests\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"net_unittests\\\"}},\\\"status\\\":\\\"FAIL\\\",\\\"summaryHtml\\\":\\\"\\\\u003cp\\\\u003e\\\\u003ctext-artifact artifact-id=\\\\\\\"snippet\\\\\\\" /\\\\u003e\\\\u003c/p\\\\u003e\\\",\\\"duration\\\":\\\"20.027s\\\",\\\"tags\\\":[{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"CPU_64_BITS\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"MODE_RELEASE\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_LINUX\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_POSIX\\\"},{\\\"key\\\":\\\"gtest_status\\\",\\\"value\\\":\\\"FAILURE\\\"},{\\\"key\\\":\\\"lossless_snippet\\\",\\\"value\\\":\\\"true\\\"},{\\\"key\\\":\\\"orig_format\\\",\\\"value\\\":\\\"chromium_gtest\\\"},{\\\"key\\\":\\\"step_name\\\",\\\"value\\\":\\\"net_unittests on Ubuntu-18.04\\\"},{\\\"key\\\":\\\"test_name\\\",\\\"value\\\":\\\"EmbeddedTestServerTestInstantiation/EmbeddedTestServerTest.ConnectionListenerComplete/0\\\"}],\\\"variantHash\\\":\\\"831e8341176b94de\\\",\\\"testMetadata\\\":{\\\"name\\\":\\\"EmbeddedTestServerTestInstantiation/EmbeddedTestServerTest.ConnectionListenerComplete/0\\\",\\\"location\\\":{\\\"repo\\\":\\\"https://chromium.googlesource.com/chromium/src\\\",\\\"fileName\\\":\\\"//net/test/embedded_test_server/embedded_test_server_unittest.cc\\\",\\\"line\\\":353}},\\\"failureReason\\\":{\\\"primaryErrorMessage\\\":\\\"Failed\\\\nRunLoop::Run() timed out. Timeout set at TaskEnvironment@base/test/task_environment.cc:379.\\\\n{\\\\\\\"active_queues\\\\\\\":[{\\\\\\\"any_thread_.immediate_incoming_queuecapacity\\\\\\\":4,\\\\\\\"any_thread_.immediate_incoming_queuesize\\\\\\\":0,\\\\\\\"delayed_incoming_queue\\\\\\\":[],\\\\\\\"delayed_incoming_queue_size\\\\\\\":0,\\\\\\\"delayed_work_queue\\\\\\\":[],\\\\\\\"delayed_work_queue_capacity\\\\\\\":4,\\\\\\\"delayed_work_queue_size\\\\\\\":0,\\\\\\\"enabled\\\\\\\":true,\\\\\\\"immediate_incoming_queue\\\\\\\":[],\\\\\\\"immediate_work_queue\\\\\\\":[],\\\\\\\"immediate_work_queue_capacity\\\\\\\":0,\\\\\\\"immediate_work_queue_size\\\\\\\":0,\\\\\\\"name\\\\\\\":\\\\\\\"task_environment_default\\\\\\\",\\\\\\\"priority\\\\\\\":\\\\\\\"normal\\\\\\\",\\\\\\\"task_queue_id\\\\\\\":\\\\\\\"0x7b500000ca00\\\\\\\"}],\\\\\\\"native_work_priority\\\\\\\":\\\\\\\"best_effort\\\\\\\",\\\\\\\"non_waking_wake_up_queue\\\\\\\":{\\\\\\\"name\\\\\\\":\\\\\\\"NonWakingWakeUpQueue\\\\\\\",\\\\\\\"registered_delay_count\\\\\\\":0},\\\\\\\"queues_to_delete\\\\\\\":[],\\\\\\\"queues_to_gracefully_shutdown\\\\\\\":[],\\\\\\\"selector\\\\\\\":{\\\\\\\"immediate_starvation_count\\\\\\\":0},\\\\\\\"time_domain\\\\\\\":{\\\\\\\"name\\\\\\\":\\\\\\\"RealTimeDomain\\\\\\\"},\\\\\\\"wake_up_queue\\\\\\\":{\\\\\\\"name\\\\\\\":\\\\\\\"DefaultWakeUpQueue\\\\\\\",\\\\\\\"registered_delay_count\\\\\\\":0}}\\\"}}\\n\"}", + "read_data": { + "net/test/embedded_test_server/embedded_test_server_unittest.cc": "// Copyright (c) 2012 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"net/test/embedded_test_server/embedded_test_server.h\"\n\n#include <tuple>\n#include <utility>\n\n#include \"base/bind.h\"\n#include \"base/callback_helpers.h\"\n#include \"base/macros.h\"\n#include \"base/memory/weak_ptr.h\"\n#include \"base/message_loop/message_pump_type.h\"\n#include \"base/path_service.h\"\n#include \"base/run_loop.h\"\n#include \"base/strings/stringprintf.h\"\n#include \"base/synchronization/lock.h\"\n#include \"base/task/single_thread_task_executor.h\"\n#include \"base/task/single_thread_task_runner.h\"\n#include \"base/threading/thread.h\"\n#include \"base/threading/thread_task_runner_handle.h\"\n#include \"build/build_config.h\"\n#include \"net/base/test_completion_callback.h\"\n#include \"net/http/http_response_headers.h\"\n#include \"net/log/net_log_source.h\"\n#include \"net/socket/client_socket_factory.h\"\n#include \"net/socket/stream_socket.h\"\n#include \"net/test/embedded_test_server/embedded_test_server_connection_listener.h\"\n#include \"net/test/embedded_test_server/http_request.h\"\n#include \"net/test/embedded_test_server/http_response.h\"\n#include \"net/test/embedded_test_server/request_handler_util.h\"\n#include \"net/test/gtest_util.h\"\n#include \"net/test/test_with_task_environment.h\"\n#include \"net/traffic_annotation/network_traffic_annotation_test_helper.h\"\n#include \"net/url_request/url_request.h\"\n#include \"net/url_request/url_request_test_util.h\"\n#include \"testing/gmock/include/gmock/gmock.h\"\n#include \"testing/gtest/include/gtest/gtest.h\"\n\nusing net::test::IsOk;\n\nnamespace net {\nnamespace test_server {\n\n// Gets notified by the EmbeddedTestServer on incoming connections being\n// accepted, read from, or closed.\nclass TestConnectionListener\n : public net::test_server::EmbeddedTestServerConnectionListener {\n public:\n TestConnectionListener()\n : socket_accepted_count_(0),\n did_read_from_socket_(false),\n did_get_socket_on_complete_(false),\n task_runner_(base::ThreadTaskRunnerHandle::Get()) {}\n\n TestConnectionListener(const TestConnectionListener&) = delete;\n TestConnectionListener& operator=(const TestConnectionListener&) = delete;\n\n ~TestConnectionListener() override = default;\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was accepted.\n std::unique_ptr<StreamSocket> AcceptedSocket(\n std::unique_ptr<StreamSocket> connection) override {\n base::AutoLock lock(lock_);\n ++socket_accepted_count_;\n accept_loop_.Quit();\n return connection;\n }\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was read from.\n void ReadFromSocket(const net::StreamSocket& connection, int rv) override {\n base::AutoLock lock(lock_);\n did_read_from_socket_ = true;\n }\n\n void OnResponseCompletedSuccessfully(\n std::unique_ptr<StreamSocket> socket) override {\n base::AutoLock lock(lock_);\n did_get_socket_on_complete_ = socket && socket->IsConnected();\n complete_loop_.Quit();\n }\n\n void WaitUntilFirstConnectionAccepted() { accept_loop_.Run(); }\n\n void WaitUntilGotSocketFromResponseCompleted() { complete_loop_.Run(); }\n\n size_t SocketAcceptedCount() const {\n base::AutoLock lock(lock_);\n return socket_accepted_count_;\n }\n\n bool DidReadFromSocket() const {\n base::AutoLock lock(lock_);\n return did_read_from_socket_;\n }\n\n bool DidGetSocketOnComplete() const {\n base::AutoLock lock(lock_);\n return did_get_socket_on_complete_;\n }\n\n private:\n size_t socket_accepted_count_;\n bool did_read_from_socket_;\n bool did_get_socket_on_complete_;\n\n base::RunLoop accept_loop_;\n base::RunLoop complete_loop_;\n scoped_refptr<base::SingleThreadTaskRunner> task_runner_;\n\n mutable base::Lock lock_;\n};\n\nstruct EmbeddedTestServerConfig {\n EmbeddedTestServer::Type type;\n HttpConnection::Protocol protocol;\n};\n\nstd::vector<EmbeddedTestServerConfig> EmbeddedTestServerConfigs() {\n return {\n {EmbeddedTestServer::TYPE_HTTP, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp2},\n };\n}\n\nclass EmbeddedTestServerTest\n : public testing::TestWithParam<EmbeddedTestServerConfig>,\n public WithTaskEnvironment {\n public:\n EmbeddedTestServerTest() {}\n\n void SetUp() override {\n server_ = std::make_unique<EmbeddedTestServer>(GetParam().type,\n GetParam().protocol);\n server_->AddDefaultHandlers();\n server_->SetConnectionListener(&connection_listener_);\n }\n\n void TearDown() override {\n if (server_->Started())\n ASSERT_TRUE(server_->ShutdownAndWaitUntilComplete());\n }\n\n // Handles |request| sent to |path| and returns the response per |content|,\n // |content type|, and |code|. Saves the request URL for verification.\n std::unique_ptr<HttpResponse> HandleRequest(const std::string& path,\n const std::string& content,\n const std::string& content_type,\n HttpStatusCode code,\n const HttpRequest& request) {\n request_relative_url_ = request.relative_url;\n request_absolute_url_ = request.GetURL();\n\n if (request_absolute_url_.path() == path) {\n auto http_response = std::make_unique<BasicHttpResponse>();\n http_response->set_code(code);\n http_response->set_content(content);\n http_response->set_content_type(content_type);\n return http_response;\n }\n\n return nullptr;\n }\n\n protected:\n std::string request_relative_url_;\n GURL request_absolute_url_;\n TestURLRequestContext context_;\n TestConnectionListener connection_listener_;\n std::unique_ptr<EmbeddedTestServer> server_;\n base::OnceClosure quit_run_loop_;\n};\n\nTEST_P(EmbeddedTestServerTest, GetBaseURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURLWithHostname) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://foo.com:%d/path?query=foo\",\n server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(\n base::StringPrintf(\"http://foo.com:%d/path?query=foo\", server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, RegisterRequestHandler) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test\",\n \"<b>Worked!</b>\", \"text/html\", HTTP_OK));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<b>Worked!</b>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n\n EXPECT_EQ(\"/test?q=foo\", request_relative_url_);\n EXPECT_EQ(server_->GetURL(\"/test?q=foo\"), request_absolute_url_);\n}\n\nTEST_P(EmbeddedTestServerTest, ServeFilesFromDirectory) {\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, MockHeadersWithoutCRLF) {\n // Messing with raw headers isn't compatible with HTTP/2\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\").AppendASCII(\n \"embedded_test_server\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/mock-headers-without-crlf.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, DefaultNotFoundResponse) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request->response_headers()->response_code());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerAccept) {\n ASSERT_TRUE(server_->Start());\n\n net::AddressList address_list;\n EXPECT_TRUE(server_->GetAddressList(&address_list));\n\n std::unique_ptr<StreamSocket> socket =\n ClientSocketFactory::GetDefaultFactory()->CreateTransportClientSocket(\n address_list, nullptr, nullptr, NetLog::Get(), NetLogSource());\n TestCompletionCallback callback;\n ASSERT_THAT(callback.GetResult(socket->Connect(callback.callback())), IsOk());\n\n connection_listener_.WaitUntilFirstConnectionAccepted();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_FALSE(connection_listener_.DidReadFromSocket());\n EXPECT_FALSE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerRead) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n}\n\n// TODO(http://crbug.com/1166868): Flaky on ChromeOS.\n#if defined(OS_CHROMEOS)\n#define MAYBE_ConnectionListenerComplete DISABLED_ConnectionListenerComplete\n#else\n#define MAYBE_ConnectionListenerComplete ConnectionListenerComplete\n#endif\nTEST_P(EmbeddedTestServerTest, MAYBE_ConnectionListenerComplete) {\n // OnResponseCompletedSuccessfully() makes the assumption that a connection is\n // \"finished\" before the socket is closed, and in the case of HTTP/2 this is\n // not supported\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n // Need to send a Keep-Alive response header since the EmbeddedTestServer only\n // invokes OnResponseCompletedSuccessfully() if the socket is still open, and\n // the network stack will close the socket if not reuable, resulting in\n // potentially racilly closing the socket before\n // OnResponseCompletedSuccessfully() is invoked.\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/set-header?Connection: Keep-Alive\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n\n connection_listener_.WaitUntilGotSocketFromResponseCompleted();\n EXPECT_TRUE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConcurrentFetches) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test1\",\n \"Raspberry chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test2\",\n \"Vanilla chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test3\",\n \"No chocolates\", \"text/plain\", HTTP_NOT_FOUND));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate1;\n std::unique_ptr<URLRequest> request1(\n context_.CreateRequest(server_->GetURL(\"/test1\"), DEFAULT_PRIORITY,\n &delegate1, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate2;\n std::unique_ptr<URLRequest> request2(\n context_.CreateRequest(server_->GetURL(\"/test2\"), DEFAULT_PRIORITY,\n &delegate2, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate3;\n std::unique_ptr<URLRequest> request3(\n context_.CreateRequest(server_->GetURL(\"/test3\"), DEFAULT_PRIORITY,\n &delegate3, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n // Fetch the three URLs concurrently. Have to manually create RunLoops when\n // running multiple requests simultaneously, to avoid the deprecated\n // RunUntilIdle() path.\n base::RunLoop run_loop1;\n base::RunLoop run_loop2;\n base::RunLoop run_loop3;\n delegate1.set_on_complete(run_loop1.QuitClosure());\n delegate2.set_on_complete(run_loop2.QuitClosure());\n delegate3.set_on_complete(run_loop3.QuitClosure());\n request1->Start();\n request2->Start();\n request3->Start();\n run_loop1.Run();\n run_loop2.Run();\n run_loop3.Run();\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request1->response_headers());\n EXPECT_EQ(HTTP_OK, request1->response_headers()->response_code());\n EXPECT_EQ(\"Raspberry chocolate\", delegate1.data_received());\n std::string content_type1;\n ASSERT_TRUE(request1->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type1));\n EXPECT_EQ(\"text/html\", content_type1);\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request2->response_headers());\n EXPECT_EQ(HTTP_OK, request2->response_headers()->response_code());\n EXPECT_EQ(\"Vanilla chocolate\", delegate2.data_received());\n std::string content_type2;\n ASSERT_TRUE(request2->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type2));\n EXPECT_EQ(\"text/html\", content_type2);\n\n EXPECT_EQ(net::OK, delegate3.request_status());\n ASSERT_TRUE(request3->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request3->response_headers()->response_code());\n EXPECT_EQ(\"No chocolates\", delegate3.data_received());\n std::string content_type3;\n ASSERT_TRUE(request3->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type3));\n EXPECT_EQ(\"text/plain\", content_type3);\n}\n\nnamespace {\n\nclass CancelRequestDelegate : public TestDelegate {\n public:\n CancelRequestDelegate() { set_on_complete(base::DoNothing()); }\n\n CancelRequestDelegate(const CancelRequestDelegate&) = delete;\n CancelRequestDelegate& operator=(const CancelRequestDelegate&) = delete;\n\n ~CancelRequestDelegate() override = default;\n\n void OnResponseStarted(URLRequest* request, int net_error) override {\n TestDelegate::OnResponseStarted(request, net_error);\n base::ThreadTaskRunnerHandle::Get()->PostDelayedTask(\n FROM_HERE, run_loop_.QuitClosure(), base::Seconds(1));\n }\n\n void WaitUntilDone() { run_loop_.Run(); }\n\n private:\n base::RunLoop run_loop_;\n};\n\nclass InfiniteResponse : public BasicHttpResponse {\n public:\n InfiniteResponse() = default;\n\n InfiniteResponse(const InfiniteResponse&) = delete;\n InfiniteResponse& operator=(const InfiniteResponse&) = delete;\n\n void SendResponse(base::WeakPtr<HttpResponseDelegate> delegate) override {\n delegate->SendResponseHeaders(code(), GetHttpReasonPhrase(code()),\n BuildHeaders());\n SendInfinite(delegate);\n }\n\n private:\n void SendInfinite(base::WeakPtr<HttpResponseDelegate> delegate) {\n delegate->SendContents(\"echo\", base::DoNothing());\n base::ThreadTaskRunnerHandle::Get()->PostTask(\n FROM_HERE, base::BindOnce(&InfiniteResponse::SendInfinite,\n weak_ptr_factory_.GetWeakPtr(), delegate));\n }\n\n base::WeakPtrFactory<InfiniteResponse> weak_ptr_factory_{this};\n};\n\nstd::unique_ptr<HttpResponse> HandleInfiniteRequest(\n const HttpRequest& request) {\n return std::make_unique<InfiniteResponse>();\n}\n\n} // anonymous namespace\n\n// Tests the case the connection is closed while the server is sending a\n// response. May non-deterministically end up at one of three paths\n// (Discover the close event synchronously, asynchronously, or server\n// shutting down before it is discovered).\nTEST_P(EmbeddedTestServerTest, CloseDuringWrite) {\n CancelRequestDelegate cancel_delegate;\n cancel_delegate.set_cancel_in_response_started(true);\n server_->RegisterRequestHandler(\n base::BindRepeating(&HandlePrefixedRequest, \"/infinite\",\n base::BindRepeating(&HandleInfiniteRequest)));\n ASSERT_TRUE(server_->Start());\n\n std::unique_ptr<URLRequest> request =\n context_.CreateRequest(server_->GetURL(\"/infinite\"), DEFAULT_PRIORITY,\n &cancel_delegate, TRAFFIC_ANNOTATION_FOR_TESTS);\n request->Start();\n cancel_delegate.WaitUntilDone();\n}\n\nconst struct CertificateValuesEntry {\n const EmbeddedTestServer::ServerCertificate server_cert;\n const bool is_expired;\n const char* common_name;\n const char* issuer_common_name;\n size_t certs_count;\n} kCertificateValuesEntry[] = {\n {EmbeddedTestServer::CERT_OK, false, \"127.0.0.1\", \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_OK_BY_INTERMEDIATE, false, \"127.0.0.1\",\n \"Test Intermediate CA\", 2},\n {EmbeddedTestServer::CERT_MISMATCHED_NAME, false, \"127.0.0.1\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_COMMON_NAME_IS_DOMAIN, false, \"localhost\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_EXPIRED, true, \"127.0.0.1\", \"Test Root CA\", 1},\n};\n\nTEST_P(EmbeddedTestServerTest, GetCertificate) {\n if (GetParam().type != EmbeddedTestServer::TYPE_HTTPS)\n return;\n\n for (const auto& cert_entry : kCertificateValuesEntry) {\n SCOPED_TRACE(cert_entry.server_cert);\n server_->SetSSLConfig(cert_entry.server_cert);\n scoped_refptr<X509Certificate> cert = server_->GetCertificate();\n ASSERT_TRUE(cert);\n EXPECT_EQ(cert->HasExpired(), cert_entry.is_expired);\n EXPECT_EQ(cert->subject().common_name, cert_entry.common_name);\n EXPECT_EQ(cert->issuer().common_name, cert_entry.issuer_common_name);\n EXPECT_EQ(cert->intermediate_buffers().size(), cert_entry.certs_count - 1);\n }\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrame) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"\", \"foo\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_OK);\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"foo\", delegate.transports().back().accept_ch_frame);\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrameDifferentOrigins) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"a.test\", \"a\");\n server_->SetAlpsAcceptCH(\"b.test\", \"b\");\n server_->SetAlpsAcceptCH(\"c.b.test\", \"c\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_TEST_NAMES);\n\n ASSERT_TRUE(server_->Start());\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"a.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"a\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"b.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"b\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"c.b.test\", \"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"c\", delegate.transports().back().accept_ch_frame);\n }\n}\n\nINSTANTIATE_TEST_SUITE_P(EmbeddedTestServerTestInstantiation,\n EmbeddedTestServerTest,\n testing::ValuesIn(EmbeddedTestServerConfigs()));\n// Below test exercises EmbeddedTestServer's ability to cope with the situation\n// where there is no MessageLoop available on the thread at EmbeddedTestServer\n// initialization and/or destruction.\n\ntypedef std::tuple<bool, bool, EmbeddedTestServerConfig> ThreadingTestParams;\n\nclass EmbeddedTestServerThreadingTest\n : public testing::TestWithParam<ThreadingTestParams>,\n public WithTaskEnvironment {};\n\nclass EmbeddedTestServerThreadingTestDelegate\n : public base::PlatformThread::Delegate {\n public:\n EmbeddedTestServerThreadingTestDelegate(\n bool message_loop_present_on_initialize,\n bool message_loop_present_on_shutdown,\n EmbeddedTestServerConfig config)\n : message_loop_present_on_initialize_(message_loop_present_on_initialize),\n message_loop_present_on_shutdown_(message_loop_present_on_shutdown),\n type_(config.type),\n protocol_(config.protocol) {}\n\n EmbeddedTestServerThreadingTestDelegate(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n EmbeddedTestServerThreadingTestDelegate& operator=(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n\n // base::PlatformThread::Delegate:\n void ThreadMain() override {\n std::unique_ptr<base::SingleThreadTaskExecutor> executor;\n if (message_loop_present_on_initialize_) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n // Create the test server instance.\n EmbeddedTestServer server(type_, protocol_);\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n ASSERT_TRUE(server.Start());\n\n // Make a request and wait for the reply.\n if (!executor) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n auto context = std::make_unique<TestURLRequestContext>();\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context->CreateRequest(server.GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n request.reset();\n // Flush the socket pool on the same thread by destroying the context.\n context.reset();\n\n // Shut down.\n if (message_loop_present_on_shutdown_)\n executor.reset();\n\n ASSERT_TRUE(server.ShutdownAndWaitUntilComplete());\n }\n\n private:\n const bool message_loop_present_on_initialize_;\n const bool message_loop_present_on_shutdown_;\n const EmbeddedTestServer::Type type_;\n const HttpConnection::Protocol protocol_;\n};\n\nTEST_P(EmbeddedTestServerThreadingTest, RunTest) {\n // The actual test runs on a separate thread so it can screw with the presence\n // of a MessageLoop - the test suite already sets up a MessageLoop for the\n // main test thread.\n base::PlatformThreadHandle thread_handle;\n EmbeddedTestServerThreadingTestDelegate delegate(std::get<0>(GetParam()),\n std::get<1>(GetParam()),\n std::get<2>(GetParam()));\n ASSERT_TRUE(base::PlatformThread::Create(0, &delegate, &thread_handle));\n base::PlatformThread::Join(thread_handle);\n}\n\nINSTANTIATE_TEST_SUITE_P(\n EmbeddedTestServerThreadingTestInstantiation,\n EmbeddedTestServerThreadingTest,\n testing::Combine(testing::Bool(),\n testing::Bool(),\n testing::ValuesIn(EmbeddedTestServerConfigs())));\n\n} // namespace test_server\n} // namespace net\n" + }, + "written_data": { + "net/test/embedded_test_server/embedded_test_server_unittest.cc": "// Copyright (c) 2012 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"net/test/embedded_test_server/embedded_test_server.h\"\n\n#include <tuple>\n#include <utility>\n\n#include \"base/bind.h\"\n#include \"base/callback_helpers.h\"\n#include \"base/macros.h\"\n#include \"base/memory/weak_ptr.h\"\n#include \"base/message_loop/message_pump_type.h\"\n#include \"base/path_service.h\"\n#include \"base/run_loop.h\"\n#include \"base/strings/stringprintf.h\"\n#include \"base/synchronization/lock.h\"\n#include \"base/task/single_thread_task_executor.h\"\n#include \"base/task/single_thread_task_runner.h\"\n#include \"base/threading/thread.h\"\n#include \"base/threading/thread_task_runner_handle.h\"\n#include \"build/build_config.h\"\n#include \"net/base/test_completion_callback.h\"\n#include \"net/http/http_response_headers.h\"\n#include \"net/log/net_log_source.h\"\n#include \"net/socket/client_socket_factory.h\"\n#include \"net/socket/stream_socket.h\"\n#include \"net/test/embedded_test_server/embedded_test_server_connection_listener.h\"\n#include \"net/test/embedded_test_server/http_request.h\"\n#include \"net/test/embedded_test_server/http_response.h\"\n#include \"net/test/embedded_test_server/request_handler_util.h\"\n#include \"net/test/gtest_util.h\"\n#include \"net/test/test_with_task_environment.h\"\n#include \"net/traffic_annotation/network_traffic_annotation_test_helper.h\"\n#include \"net/url_request/url_request.h\"\n#include \"net/url_request/url_request_test_util.h\"\n#include \"testing/gmock/include/gmock/gmock.h\"\n#include \"testing/gtest/include/gtest/gtest.h\"\n\nusing net::test::IsOk;\n\nnamespace net {\nnamespace test_server {\n\n// Gets notified by the EmbeddedTestServer on incoming connections being\n// accepted, read from, or closed.\nclass TestConnectionListener\n : public net::test_server::EmbeddedTestServerConnectionListener {\n public:\n TestConnectionListener()\n : socket_accepted_count_(0),\n did_read_from_socket_(false),\n did_get_socket_on_complete_(false),\n task_runner_(base::ThreadTaskRunnerHandle::Get()) {}\n\n TestConnectionListener(const TestConnectionListener&) = delete;\n TestConnectionListener& operator=(const TestConnectionListener&) = delete;\n\n ~TestConnectionListener() override = default;\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was accepted.\n std::unique_ptr<StreamSocket> AcceptedSocket(\n std::unique_ptr<StreamSocket> connection) override {\n base::AutoLock lock(lock_);\n ++socket_accepted_count_;\n accept_loop_.Quit();\n return connection;\n }\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was read from.\n void ReadFromSocket(const net::StreamSocket& connection, int rv) override {\n base::AutoLock lock(lock_);\n did_read_from_socket_ = true;\n }\n\n void OnResponseCompletedSuccessfully(\n std::unique_ptr<StreamSocket> socket) override {\n base::AutoLock lock(lock_);\n did_get_socket_on_complete_ = socket && socket->IsConnected();\n complete_loop_.Quit();\n }\n\n void WaitUntilFirstConnectionAccepted() { accept_loop_.Run(); }\n\n void WaitUntilGotSocketFromResponseCompleted() { complete_loop_.Run(); }\n\n size_t SocketAcceptedCount() const {\n base::AutoLock lock(lock_);\n return socket_accepted_count_;\n }\n\n bool DidReadFromSocket() const {\n base::AutoLock lock(lock_);\n return did_read_from_socket_;\n }\n\n bool DidGetSocketOnComplete() const {\n base::AutoLock lock(lock_);\n return did_get_socket_on_complete_;\n }\n\n private:\n size_t socket_accepted_count_;\n bool did_read_from_socket_;\n bool did_get_socket_on_complete_;\n\n base::RunLoop accept_loop_;\n base::RunLoop complete_loop_;\n scoped_refptr<base::SingleThreadTaskRunner> task_runner_;\n\n mutable base::Lock lock_;\n};\n\nstruct EmbeddedTestServerConfig {\n EmbeddedTestServer::Type type;\n HttpConnection::Protocol protocol;\n};\n\nstd::vector<EmbeddedTestServerConfig> EmbeddedTestServerConfigs() {\n return {\n {EmbeddedTestServer::TYPE_HTTP, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp2},\n };\n}\n\nclass EmbeddedTestServerTest\n : public testing::TestWithParam<EmbeddedTestServerConfig>,\n public WithTaskEnvironment {\n public:\n EmbeddedTestServerTest() {}\n\n void SetUp() override {\n server_ = std::make_unique<EmbeddedTestServer>(GetParam().type,\n GetParam().protocol);\n server_->AddDefaultHandlers();\n server_->SetConnectionListener(&connection_listener_);\n }\n\n void TearDown() override {\n if (server_->Started())\n ASSERT_TRUE(server_->ShutdownAndWaitUntilComplete());\n }\n\n // Handles |request| sent to |path| and returns the response per |content|,\n // |content type|, and |code|. Saves the request URL for verification.\n std::unique_ptr<HttpResponse> HandleRequest(const std::string& path,\n const std::string& content,\n const std::string& content_type,\n HttpStatusCode code,\n const HttpRequest& request) {\n request_relative_url_ = request.relative_url;\n request_absolute_url_ = request.GetURL();\n\n if (request_absolute_url_.path() == path) {\n auto http_response = std::make_unique<BasicHttpResponse>();\n http_response->set_code(code);\n http_response->set_content(content);\n http_response->set_content_type(content_type);\n return http_response;\n }\n\n return nullptr;\n }\n\n protected:\n std::string request_relative_url_;\n GURL request_absolute_url_;\n TestURLRequestContext context_;\n TestConnectionListener connection_listener_;\n std::unique_ptr<EmbeddedTestServer> server_;\n base::OnceClosure quit_run_loop_;\n};\n\nTEST_P(EmbeddedTestServerTest, GetBaseURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURLWithHostname) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://foo.com:%d/path?query=foo\",\n server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(\n base::StringPrintf(\"http://foo.com:%d/path?query=foo\", server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, RegisterRequestHandler) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test\",\n \"<b>Worked!</b>\", \"text/html\", HTTP_OK));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<b>Worked!</b>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n\n EXPECT_EQ(\"/test?q=foo\", request_relative_url_);\n EXPECT_EQ(server_->GetURL(\"/test?q=foo\"), request_absolute_url_);\n}\n\nTEST_P(EmbeddedTestServerTest, ServeFilesFromDirectory) {\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, MockHeadersWithoutCRLF) {\n // Messing with raw headers isn't compatible with HTTP/2\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\").AppendASCII(\n \"embedded_test_server\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/mock-headers-without-crlf.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, DefaultNotFoundResponse) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request->response_headers()->response_code());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerAccept) {\n ASSERT_TRUE(server_->Start());\n\n net::AddressList address_list;\n EXPECT_TRUE(server_->GetAddressList(&address_list));\n\n std::unique_ptr<StreamSocket> socket =\n ClientSocketFactory::GetDefaultFactory()->CreateTransportClientSocket(\n address_list, nullptr, nullptr, NetLog::Get(), NetLogSource());\n TestCompletionCallback callback;\n ASSERT_THAT(callback.GetResult(socket->Connect(callback.callback())), IsOk());\n\n connection_listener_.WaitUntilFirstConnectionAccepted();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_FALSE(connection_listener_.DidReadFromSocket());\n EXPECT_FALSE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerRead) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n}\n\n// TODO(http://crbug.com/1166868): Flaky on ChromeOS.\nTEST_P(EmbeddedTestServerTest, DISABLED_ConnectionListenerComplete) {\n // OnResponseCompletedSuccessfully() makes the assumption that a connection is\n // \"finished\" before the socket is closed, and in the case of HTTP/2 this is\n // not supported\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n // Need to send a Keep-Alive response header since the EmbeddedTestServer only\n // invokes OnResponseCompletedSuccessfully() if the socket is still open, and\n // the network stack will close the socket if not reuable, resulting in\n // potentially racilly closing the socket before\n // OnResponseCompletedSuccessfully() is invoked.\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/set-header?Connection: Keep-Alive\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n\n connection_listener_.WaitUntilGotSocketFromResponseCompleted();\n EXPECT_TRUE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConcurrentFetches) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test1\",\n \"Raspberry chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test2\",\n \"Vanilla chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test3\",\n \"No chocolates\", \"text/plain\", HTTP_NOT_FOUND));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate1;\n std::unique_ptr<URLRequest> request1(\n context_.CreateRequest(server_->GetURL(\"/test1\"), DEFAULT_PRIORITY,\n &delegate1, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate2;\n std::unique_ptr<URLRequest> request2(\n context_.CreateRequest(server_->GetURL(\"/test2\"), DEFAULT_PRIORITY,\n &delegate2, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate3;\n std::unique_ptr<URLRequest> request3(\n context_.CreateRequest(server_->GetURL(\"/test3\"), DEFAULT_PRIORITY,\n &delegate3, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n // Fetch the three URLs concurrently. Have to manually create RunLoops when\n // running multiple requests simultaneously, to avoid the deprecated\n // RunUntilIdle() path.\n base::RunLoop run_loop1;\n base::RunLoop run_loop2;\n base::RunLoop run_loop3;\n delegate1.set_on_complete(run_loop1.QuitClosure());\n delegate2.set_on_complete(run_loop2.QuitClosure());\n delegate3.set_on_complete(run_loop3.QuitClosure());\n request1->Start();\n request2->Start();\n request3->Start();\n run_loop1.Run();\n run_loop2.Run();\n run_loop3.Run();\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request1->response_headers());\n EXPECT_EQ(HTTP_OK, request1->response_headers()->response_code());\n EXPECT_EQ(\"Raspberry chocolate\", delegate1.data_received());\n std::string content_type1;\n ASSERT_TRUE(request1->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type1));\n EXPECT_EQ(\"text/html\", content_type1);\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request2->response_headers());\n EXPECT_EQ(HTTP_OK, request2->response_headers()->response_code());\n EXPECT_EQ(\"Vanilla chocolate\", delegate2.data_received());\n std::string content_type2;\n ASSERT_TRUE(request2->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type2));\n EXPECT_EQ(\"text/html\", content_type2);\n\n EXPECT_EQ(net::OK, delegate3.request_status());\n ASSERT_TRUE(request3->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request3->response_headers()->response_code());\n EXPECT_EQ(\"No chocolates\", delegate3.data_received());\n std::string content_type3;\n ASSERT_TRUE(request3->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type3));\n EXPECT_EQ(\"text/plain\", content_type3);\n}\n\nnamespace {\n\nclass CancelRequestDelegate : public TestDelegate {\n public:\n CancelRequestDelegate() { set_on_complete(base::DoNothing()); }\n\n CancelRequestDelegate(const CancelRequestDelegate&) = delete;\n CancelRequestDelegate& operator=(const CancelRequestDelegate&) = delete;\n\n ~CancelRequestDelegate() override = default;\n\n void OnResponseStarted(URLRequest* request, int net_error) override {\n TestDelegate::OnResponseStarted(request, net_error);\n base::ThreadTaskRunnerHandle::Get()->PostDelayedTask(\n FROM_HERE, run_loop_.QuitClosure(), base::Seconds(1));\n }\n\n void WaitUntilDone() { run_loop_.Run(); }\n\n private:\n base::RunLoop run_loop_;\n};\n\nclass InfiniteResponse : public BasicHttpResponse {\n public:\n InfiniteResponse() = default;\n\n InfiniteResponse(const InfiniteResponse&) = delete;\n InfiniteResponse& operator=(const InfiniteResponse&) = delete;\n\n void SendResponse(base::WeakPtr<HttpResponseDelegate> delegate) override {\n delegate->SendResponseHeaders(code(), GetHttpReasonPhrase(code()),\n BuildHeaders());\n SendInfinite(delegate);\n }\n\n private:\n void SendInfinite(base::WeakPtr<HttpResponseDelegate> delegate) {\n delegate->SendContents(\"echo\", base::DoNothing());\n base::ThreadTaskRunnerHandle::Get()->PostTask(\n FROM_HERE, base::BindOnce(&InfiniteResponse::SendInfinite,\n weak_ptr_factory_.GetWeakPtr(), delegate));\n }\n\n base::WeakPtrFactory<InfiniteResponse> weak_ptr_factory_{this};\n};\n\nstd::unique_ptr<HttpResponse> HandleInfiniteRequest(\n const HttpRequest& request) {\n return std::make_unique<InfiniteResponse>();\n}\n\n} // anonymous namespace\n\n// Tests the case the connection is closed while the server is sending a\n// response. May non-deterministically end up at one of three paths\n// (Discover the close event synchronously, asynchronously, or server\n// shutting down before it is discovered).\nTEST_P(EmbeddedTestServerTest, CloseDuringWrite) {\n CancelRequestDelegate cancel_delegate;\n cancel_delegate.set_cancel_in_response_started(true);\n server_->RegisterRequestHandler(\n base::BindRepeating(&HandlePrefixedRequest, \"/infinite\",\n base::BindRepeating(&HandleInfiniteRequest)));\n ASSERT_TRUE(server_->Start());\n\n std::unique_ptr<URLRequest> request =\n context_.CreateRequest(server_->GetURL(\"/infinite\"), DEFAULT_PRIORITY,\n &cancel_delegate, TRAFFIC_ANNOTATION_FOR_TESTS);\n request->Start();\n cancel_delegate.WaitUntilDone();\n}\n\nconst struct CertificateValuesEntry {\n const EmbeddedTestServer::ServerCertificate server_cert;\n const bool is_expired;\n const char* common_name;\n const char* issuer_common_name;\n size_t certs_count;\n} kCertificateValuesEntry[] = {\n {EmbeddedTestServer::CERT_OK, false, \"127.0.0.1\", \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_OK_BY_INTERMEDIATE, false, \"127.0.0.1\",\n \"Test Intermediate CA\", 2},\n {EmbeddedTestServer::CERT_MISMATCHED_NAME, false, \"127.0.0.1\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_COMMON_NAME_IS_DOMAIN, false, \"localhost\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_EXPIRED, true, \"127.0.0.1\", \"Test Root CA\", 1},\n};\n\nTEST_P(EmbeddedTestServerTest, GetCertificate) {\n if (GetParam().type != EmbeddedTestServer::TYPE_HTTPS)\n return;\n\n for (const auto& cert_entry : kCertificateValuesEntry) {\n SCOPED_TRACE(cert_entry.server_cert);\n server_->SetSSLConfig(cert_entry.server_cert);\n scoped_refptr<X509Certificate> cert = server_->GetCertificate();\n ASSERT_TRUE(cert);\n EXPECT_EQ(cert->HasExpired(), cert_entry.is_expired);\n EXPECT_EQ(cert->subject().common_name, cert_entry.common_name);\n EXPECT_EQ(cert->issuer().common_name, cert_entry.issuer_common_name);\n EXPECT_EQ(cert->intermediate_buffers().size(), cert_entry.certs_count - 1);\n }\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrame) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"\", \"foo\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_OK);\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"foo\", delegate.transports().back().accept_ch_frame);\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrameDifferentOrigins) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"a.test\", \"a\");\n server_->SetAlpsAcceptCH(\"b.test\", \"b\");\n server_->SetAlpsAcceptCH(\"c.b.test\", \"c\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_TEST_NAMES);\n\n ASSERT_TRUE(server_->Start());\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"a.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"a\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"b.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"b\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"c.b.test\", \"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"c\", delegate.transports().back().accept_ch_frame);\n }\n}\n\nINSTANTIATE_TEST_SUITE_P(EmbeddedTestServerTestInstantiation,\n EmbeddedTestServerTest,\n testing::ValuesIn(EmbeddedTestServerConfigs()));\n// Below test exercises EmbeddedTestServer's ability to cope with the situation\n// where there is no MessageLoop available on the thread at EmbeddedTestServer\n// initialization and/or destruction.\n\ntypedef std::tuple<bool, bool, EmbeddedTestServerConfig> ThreadingTestParams;\n\nclass EmbeddedTestServerThreadingTest\n : public testing::TestWithParam<ThreadingTestParams>,\n public WithTaskEnvironment {};\n\nclass EmbeddedTestServerThreadingTestDelegate\n : public base::PlatformThread::Delegate {\n public:\n EmbeddedTestServerThreadingTestDelegate(\n bool message_loop_present_on_initialize,\n bool message_loop_present_on_shutdown,\n EmbeddedTestServerConfig config)\n : message_loop_present_on_initialize_(message_loop_present_on_initialize),\n message_loop_present_on_shutdown_(message_loop_present_on_shutdown),\n type_(config.type),\n protocol_(config.protocol) {}\n\n EmbeddedTestServerThreadingTestDelegate(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n EmbeddedTestServerThreadingTestDelegate& operator=(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n\n // base::PlatformThread::Delegate:\n void ThreadMain() override {\n std::unique_ptr<base::SingleThreadTaskExecutor> executor;\n if (message_loop_present_on_initialize_) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n // Create the test server instance.\n EmbeddedTestServer server(type_, protocol_);\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n ASSERT_TRUE(server.Start());\n\n // Make a request and wait for the reply.\n if (!executor) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n auto context = std::make_unique<TestURLRequestContext>();\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context->CreateRequest(server.GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n request.reset();\n // Flush the socket pool on the same thread by destroying the context.\n context.reset();\n\n // Shut down.\n if (message_loop_present_on_shutdown_)\n executor.reset();\n\n ASSERT_TRUE(server.ShutdownAndWaitUntilComplete());\n }\n\n private:\n const bool message_loop_present_on_initialize_;\n const bool message_loop_present_on_shutdown_;\n const EmbeddedTestServer::Type type_;\n const HttpConnection::Protocol protocol_;\n};\n\nTEST_P(EmbeddedTestServerThreadingTest, RunTest) {\n // The actual test runs on a separate thread so it can screw with the presence\n // of a MessageLoop - the test suite already sets up a MessageLoop for the\n // main test thread.\n base::PlatformThreadHandle thread_handle;\n EmbeddedTestServerThreadingTestDelegate delegate(std::get<0>(GetParam()),\n std::get<1>(GetParam()),\n std::get<2>(GetParam()));\n ASSERT_TRUE(base::PlatformThread::Create(0, &delegate, &thread_handle));\n base::PlatformThread::Join(thread_handle);\n}\n\nINSTANTIATE_TEST_SUITE_P(\n EmbeddedTestServerThreadingTestInstantiation,\n EmbeddedTestServerThreadingTest,\n testing::Combine(testing::Bool(),\n testing::Bool(),\n testing::ValuesIn(EmbeddedTestServerConfigs())));\n\n} // namespace test_server\n} // namespace net\n" + } +} \ No newline at end of file diff --git a/tools/disable_tests/tests/gtest-conditional.json b/tools/disable_tests/tests/gtest-conditional.json new file mode 100644 index 0000000000000..1aa199c022edc --- /dev/null +++ b/tools/disable_tests/tests/gtest-conditional.json @@ -0,0 +1,14 @@ +{ + "args": [ + "./disable", + "ninja://chrome/test:browser_tests/BrowserViewTest.GetAccessibleTabModalDialogTree", + "linux" + ], + "requests": "{\"GetTestResultHistory/{\\\"realm\\\": \\\"chromium:ci\\\", \\\"testIdRegexp\\\": \\\"ninja://chrome/test:browser_tests/BrowserViewTest.GetAccessibleTabModalDialogTree\\\", \\\"pageSize\\\": 1}\": \"{\\\"entries\\\":[{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:38:49.854668Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1060dd640611/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FBrowserViewTest.GetAccessibleTabModalDialogTree/results/3fa78286-01206\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/BrowserViewTest.GetAccessibleTabModalDialogTree\\\",\\\"resultId\\\":\\\"3fa78286-01206\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Network Service Linux\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"network_service_web_request_proxy_browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"0.916s\\\",\\\"variantHash\\\":\\\"6f4349d4e2dc2eff\\\"}}],\\\"nextPageToken\\\":\\\"CgJ0cwoYMDhjOWMzYjc4YzA2MTBlMGU1YzQ5NzAzCgEx\\\"}\\n\", \"GetTestResult/{\\\"name\\\": \\\"invocations/task-chromium-swarm.appspot.com-572b1060dd640611/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FBrowserViewTest.GetAccessibleTabModalDialogTree/results/3fa78286-01206\\\"}\": \"{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1060dd640611/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FBrowserViewTest.GetAccessibleTabModalDialogTree/results/3fa78286-01206\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/BrowserViewTest.GetAccessibleTabModalDialogTree\\\",\\\"resultId\\\":\\\"3fa78286-01206\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Network Service Linux\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"network_service_web_request_proxy_browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"summaryHtml\\\":\\\"\\\\u003cp\\\\u003e\\\\u003ctext-artifact artifact-id=\\\\\\\"snippet\\\\\\\" /\\\\u003e\\\\u003c/p\\\\u003e\\\",\\\"duration\\\":\\\"0.916s\\\",\\\"tags\\\":[{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"CPU_64_BITS\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"MODE_RELEASE\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_LINUX\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_POSIX\\\"},{\\\"key\\\":\\\"gtest_status\\\",\\\"value\\\":\\\"SUCCESS\\\"},{\\\"key\\\":\\\"lossless_snippet\\\",\\\"value\\\":\\\"true\\\"},{\\\"key\\\":\\\"monorail_component\\\",\\\"value\\\":\\\"UI\\\\u003eBrowser\\\"},{\\\"key\\\":\\\"orig_format\\\",\\\"value\\\":\\\"chromium_gtest\\\"},{\\\"key\\\":\\\"step_name\\\",\\\"value\\\":\\\"network_service_web_request_proxy_browser_tests on Ubuntu-18.04\\\"},{\\\"key\\\":\\\"team_email\\\",\\\"value\\\":\\\"chromium-reviews@chromium.org\\\"},{\\\"key\\\":\\\"test_name\\\",\\\"value\\\":\\\"BrowserViewTest.GetAccessibleTabModalDialogTree\\\"}],\\\"variantHash\\\":\\\"6f4349d4e2dc2eff\\\",\\\"testMetadata\\\":{\\\"name\\\":\\\"BrowserViewTest.GetAccessibleTabModalDialogTree\\\",\\\"location\\\":{\\\"repo\\\":\\\"https://chromium.googlesource.com/chromium/src\\\",\\\"fileName\\\":\\\"//chrome/browser/ui/views/frame/browser_view_browsertest.cc\\\",\\\"line\\\":351}}}\\n\"}", + "read_data": { + "chrome/browser/ui/views/frame/browser_view_browsertest.cc": "// Copyright 2013 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"chrome/browser/ui/views/frame/browser_view.h\"\n\n#include \"base/macros.h\"\n#include \"base/strings/utf_string_conversions.h\"\n#include \"build/build_config.h\"\n#include \"build/chromeos_buildflags.h\"\n#include \"chrome/browser/devtools/devtools_window_testing.h\"\n#include \"chrome/browser/ui/browser.h\"\n#include \"chrome/browser/ui/browser_tabstrip.h\"\n#include \"chrome/browser/ui/tab_modal_confirm_dialog.h\"\n#include \"chrome/browser/ui/tab_ui_helper.h\"\n#include \"chrome/browser/ui/tabs/tab_strip_model.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view_observer.h\"\n#include \"chrome/browser/ui/views/tabs/tab_strip.h\"\n#include \"chrome/common/pref_names.h\"\n#include \"chrome/common/url_constants.h\"\n#include \"chrome/grit/chromium_strings.h\"\n#include \"chrome/test/base/in_process_browser_test.h\"\n#include \"chrome/test/base/ui_test_utils.h\"\n#include \"components/bookmarks/common/bookmark_pref_names.h\"\n#include \"components/prefs/pref_service.h\"\n#include \"content/public/browser/invalidate_type.h\"\n#include \"content/public/browser/web_contents.h\"\n#include \"content/public/browser/web_contents_observer.h\"\n#include \"content/public/test/browser_test.h\"\n#include \"content/public/test/browser_test_utils.h\"\n#include \"content/public/test/test_navigation_observer.h\"\n#include \"media/base/media_switches.h\"\n#include \"ui/accessibility/platform/ax_platform_node.h\"\n#include \"ui/accessibility/platform/ax_platform_node_test_helper.h\"\n#include \"ui/base/l10n/l10n_util.h\"\n\n#if defined(USE_AURA)\n#include \"ui/aura/client/focus_client.h\"\n#include \"ui/views/widget/native_widget_aura.h\"\n#endif // USE_AURA\n\nclass BrowserViewTest : public InProcessBrowserTest {\n public:\n BrowserViewTest() : devtools_(nullptr) {}\n\n BrowserViewTest(const BrowserViewTest&) = delete;\n BrowserViewTest& operator=(const BrowserViewTest&) = delete;\n\n protected:\n BrowserView* browser_view() {\n return BrowserView::GetBrowserViewForBrowser(browser());\n }\n\n views::WebView* devtools_web_view() {\n return browser_view()->GetDevToolsWebViewForTest();\n }\n\n views::WebView* contents_web_view() {\n return browser_view()->contents_web_view();\n }\n\n void OpenDevToolsWindow(bool docked) {\n devtools_ =\n DevToolsWindowTesting::OpenDevToolsWindowSync(browser(), docked);\n }\n\n void CloseDevToolsWindow() {\n DevToolsWindowTesting::CloseDevToolsWindowSync(devtools_);\n }\n\n void SetDevToolsBounds(const gfx::Rect& bounds) {\n DevToolsWindowTesting::Get(devtools_)->SetInspectedPageBounds(bounds);\n }\n\n DevToolsWindow* devtools_;\n\n private:\n base::test::ScopedFeatureList scoped_feature_list_;\n};\n\nnamespace {\n\n// Used to simulate scenario in a crash. When WebContentsDestroyed() is invoked\n// updates the navigation state of another tab.\nclass TestWebContentsObserver : public content::WebContentsObserver {\n public:\n TestWebContentsObserver(content::WebContents* source,\n content::WebContents* other)\n : content::WebContentsObserver(source),\n other_(other) {}\n\n TestWebContentsObserver(const TestWebContentsObserver&) = delete;\n TestWebContentsObserver& operator=(const TestWebContentsObserver&) = delete;\n\n ~TestWebContentsObserver() override {}\n\n void WebContentsDestroyed() override {\n other_->NotifyNavigationStateChanged(static_cast<content::InvalidateTypes>(\n content::INVALIDATE_TYPE_URL | content::INVALIDATE_TYPE_LOAD));\n }\n\n private:\n content::WebContents* other_;\n};\n\nclass TestTabModalConfirmDialogDelegate : public TabModalConfirmDialogDelegate {\n public:\n explicit TestTabModalConfirmDialogDelegate(content::WebContents* contents)\n : TabModalConfirmDialogDelegate(contents) {}\n\n TestTabModalConfirmDialogDelegate(const TestTabModalConfirmDialogDelegate&) =\n delete;\n TestTabModalConfirmDialogDelegate& operator=(\n const TestTabModalConfirmDialogDelegate&) = delete;\n\n std::u16string GetTitle() override { return std::u16string(u\"Dialog Title\"); }\n std::u16string GetDialogMessage() override { return std::u16string(); }\n};\n} // namespace\n\n// Verifies don't crash when CloseNow() is invoked with two tabs in a browser.\n// Additionally when one of the tabs is destroyed NotifyNavigationStateChanged()\n// is invoked on the other.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabs) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Same as CloseWithTabs, but activates the first tab, which is the first tab\n// BrowserView will destroy.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabsStartWithActive) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n browser2->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Verifies that page and devtools WebViews are being correctly layed out\n// when DevTools is opened/closed/updated/undocked.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, DevToolsUpdatesBrowserWindow) {\n gfx::Rect full_bounds =\n browser_view()->GetContentsContainerForTest()->GetLocalBounds();\n gfx::Rect small_bounds(10, 20, 30, 40);\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Docked.\n OpenDevToolsWindow(true);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Undocked.\n OpenDevToolsWindow(false);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n}\n\nclass BookmarkBarViewObserverImpl : public BookmarkBarViewObserver {\n public:\n BookmarkBarViewObserverImpl() : change_count_(0) {\n }\n\n BookmarkBarViewObserverImpl(const BookmarkBarViewObserverImpl&) = delete;\n BookmarkBarViewObserverImpl& operator=(const BookmarkBarViewObserverImpl&) =\n delete;\n\n int change_count() const { return change_count_; }\n void clear_change_count() { change_count_ = 0; }\n\n // BookmarkBarViewObserver:\n void OnBookmarkBarVisibilityChanged() override { change_count_++; }\n\n private:\n int change_count_ = 0;\n};\n\n// Verifies we don't unnecessarily change the visibility of the BookmarkBarView.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, AvoidUnnecessaryVisibilityChanges) {\n // Create two tabs, the first empty and the second the ntp. Make it so the\n // BookmarkBarView isn't shown.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, false);\n GURL new_tab_url(chrome::kChromeUINewTabURL);\n chrome::AddTabAt(browser(), GURL(), -1, true);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), new_tab_url));\n\n ASSERT_TRUE(browser_view()->bookmark_bar());\n BookmarkBarViewObserverImpl observer;\n BookmarkBarView* bookmark_bar = browser_view()->bookmark_bar();\n bookmark_bar->AddObserver(&observer);\n EXPECT_FALSE(bookmark_bar->GetVisible());\n\n // Go to empty tab. Bookmark bar should hide.\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Go to ntp tab. Bookmark bar should not show.\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Repeat with the bookmark bar always visible.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, true);\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(1, observer.change_count());\n observer.clear_change_count();\n\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n browser_view()->bookmark_bar()->RemoveObserver(&observer);\n}\n\n// Launch the app, navigate to a page with a title, check that the tab title\n// is set before load finishes and the throbber state updates when the title\n// changes. Regression test for crbug.com/752266\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, TitleAndLoadState) {\n const std::u16string test_title(u\"Title Of Awesomeness\");\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n content::TitleWatcher title_watcher(contents, test_title);\n content::TestNavigationObserver navigation_watcher(\n contents, 1, content::MessageLoopRunner::QuitMode::DEFERRED);\n\n TabStrip* tab_strip = browser_view()->tabstrip();\n // Navigate without blocking.\n const GURL test_url = ui_test_utils::GetTestUrl(\n base::FilePath(base::FilePath::kCurrentDirectory),\n base::FilePath(FILE_PATH_LITERAL(\"title2.html\")));\n contents->GetController().LoadURL(test_url, content::Referrer(),\n ui::PAGE_TRANSITION_LINK, std::string());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kWaiting,\n tab_strip->tab_at(0)->data().network_state);\n EXPECT_EQ(test_title, title_watcher.WaitAndGetTitle());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kLoading,\n tab_strip->tab_at(0)->data().network_state);\n\n // Now block for the navigation to complete.\n navigation_watcher.Wait();\n EXPECT_FALSE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kNone, tab_strip->tab_at(0)->data().network_state);\n}\n\n// Verifies a tab should show its favicon.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, ShowFaviconInTab) {\n // Opens \"chrome://version/\" page, which uses default favicon.\n GURL version_url(chrome::kChromeUIVersionURL);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), version_url));\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n auto* helper = TabUIHelper::FromWebContents(contents);\n ASSERT_TRUE(helper);\n\n auto favicon = helper->GetFavicon();\n ASSERT_FALSE(favicon.IsEmpty());\n}\n\n// On Mac, voiceover treats tab modal dialogs as native windows, so setting an\n// accessible title for tab-modal dialogs is not necessary.\n#if !defined(OS_MAC)\n\n// Open a tab-modal dialog and check that the accessible window title is the\n// title of the dialog.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, GetAccessibleTabModalDialogTitle) {\n std::u16string window_title =\n u\"about:blank - \" + l10n_util::GetStringUTF16(IDS_PRODUCT_NAME);\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TestTabModalConfirmDialogDelegate* delegate_observer = delegate.get();\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n EXPECT_EQ(browser_view()->GetAccessibleWindowTitle(),\n delegate_observer->GetTitle());\n\n delegate_observer->Close();\n\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n}\n\n// Open a tab-modal dialog and check that the accessibility tree only contains\n// the dialog.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, GetAccessibleTabModalDialogTree) {\n ui::testing::ScopedAxModeSetter ax_mode_setter(ui::kAXModeComplete);\n ui::AXPlatformNode* ax_node = ui::AXPlatformNode::FromNativeViewAccessible(\n browser_view()->GetWidget()->GetRootView()->GetNativeViewAccessible());\n// We expect this conversion to be safe on Windows, but can't guarantee that it\n// is safe on other platforms.\n#if defined(OS_WIN)\n ASSERT_TRUE(ax_node);\n#else\n if (!ax_node)\n return;\n#endif\n\n // There is no dialog, but the browser UI should be visible. So we expect the\n // browser's reload button and no \"OK\" button from a dialog.\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n\n // The tab modal dialog should be in the accessibility tree; everything else\n // should be hidden. So we expect an \"OK\" button and no reload button.\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n}\n\n#endif // !defined(OS_MAC)\n" + }, + "written_data": { + "chrome/browser/ui/views/frame/browser_view_browsertest.cc": "// Copyright 2013 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"chrome/browser/ui/views/frame/browser_view.h\"\n\n#include \"base/macros.h\"\n#include \"base/strings/utf_string_conversions.h\"\n#include \"build/build_config.h\"\n#include \"build/chromeos_buildflags.h\"\n#include \"chrome/browser/devtools/devtools_window_testing.h\"\n#include \"chrome/browser/ui/browser.h\"\n#include \"chrome/browser/ui/browser_tabstrip.h\"\n#include \"chrome/browser/ui/tab_modal_confirm_dialog.h\"\n#include \"chrome/browser/ui/tab_ui_helper.h\"\n#include \"chrome/browser/ui/tabs/tab_strip_model.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view_observer.h\"\n#include \"chrome/browser/ui/views/tabs/tab_strip.h\"\n#include \"chrome/common/pref_names.h\"\n#include \"chrome/common/url_constants.h\"\n#include \"chrome/grit/chromium_strings.h\"\n#include \"chrome/test/base/in_process_browser_test.h\"\n#include \"chrome/test/base/ui_test_utils.h\"\n#include \"components/bookmarks/common/bookmark_pref_names.h\"\n#include \"components/prefs/pref_service.h\"\n#include \"content/public/browser/invalidate_type.h\"\n#include \"content/public/browser/web_contents.h\"\n#include \"content/public/browser/web_contents_observer.h\"\n#include \"content/public/test/browser_test.h\"\n#include \"content/public/test/browser_test_utils.h\"\n#include \"content/public/test/test_navigation_observer.h\"\n#include \"media/base/media_switches.h\"\n#include \"ui/accessibility/platform/ax_platform_node.h\"\n#include \"ui/accessibility/platform/ax_platform_node_test_helper.h\"\n#include \"ui/base/l10n/l10n_util.h\"\n\n#if defined(USE_AURA)\n#include \"ui/aura/client/focus_client.h\"\n#include \"ui/views/widget/native_widget_aura.h\"\n#endif // USE_AURA\n\nclass BrowserViewTest : public InProcessBrowserTest {\n public:\n BrowserViewTest() : devtools_(nullptr) {}\n\n BrowserViewTest(const BrowserViewTest&) = delete;\n BrowserViewTest& operator=(const BrowserViewTest&) = delete;\n\n protected:\n BrowserView* browser_view() {\n return BrowserView::GetBrowserViewForBrowser(browser());\n }\n\n views::WebView* devtools_web_view() {\n return browser_view()->GetDevToolsWebViewForTest();\n }\n\n views::WebView* contents_web_view() {\n return browser_view()->contents_web_view();\n }\n\n void OpenDevToolsWindow(bool docked) {\n devtools_ =\n DevToolsWindowTesting::OpenDevToolsWindowSync(browser(), docked);\n }\n\n void CloseDevToolsWindow() {\n DevToolsWindowTesting::CloseDevToolsWindowSync(devtools_);\n }\n\n void SetDevToolsBounds(const gfx::Rect& bounds) {\n DevToolsWindowTesting::Get(devtools_)->SetInspectedPageBounds(bounds);\n }\n\n DevToolsWindow* devtools_;\n\n private:\n base::test::ScopedFeatureList scoped_feature_list_;\n};\n\nnamespace {\n\n// Used to simulate scenario in a crash. When WebContentsDestroyed() is invoked\n// updates the navigation state of another tab.\nclass TestWebContentsObserver : public content::WebContentsObserver {\n public:\n TestWebContentsObserver(content::WebContents* source,\n content::WebContents* other)\n : content::WebContentsObserver(source),\n other_(other) {}\n\n TestWebContentsObserver(const TestWebContentsObserver&) = delete;\n TestWebContentsObserver& operator=(const TestWebContentsObserver&) = delete;\n\n ~TestWebContentsObserver() override {}\n\n void WebContentsDestroyed() override {\n other_->NotifyNavigationStateChanged(static_cast<content::InvalidateTypes>(\n content::INVALIDATE_TYPE_URL | content::INVALIDATE_TYPE_LOAD));\n }\n\n private:\n content::WebContents* other_;\n};\n\nclass TestTabModalConfirmDialogDelegate : public TabModalConfirmDialogDelegate {\n public:\n explicit TestTabModalConfirmDialogDelegate(content::WebContents* contents)\n : TabModalConfirmDialogDelegate(contents) {}\n\n TestTabModalConfirmDialogDelegate(const TestTabModalConfirmDialogDelegate&) =\n delete;\n TestTabModalConfirmDialogDelegate& operator=(\n const TestTabModalConfirmDialogDelegate&) = delete;\n\n std::u16string GetTitle() override { return std::u16string(u\"Dialog Title\"); }\n std::u16string GetDialogMessage() override { return std::u16string(); }\n};\n} // namespace\n\n// Verifies don't crash when CloseNow() is invoked with two tabs in a browser.\n// Additionally when one of the tabs is destroyed NotifyNavigationStateChanged()\n// is invoked on the other.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabs) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Same as CloseWithTabs, but activates the first tab, which is the first tab\n// BrowserView will destroy.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabsStartWithActive) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n browser2->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Verifies that page and devtools WebViews are being correctly layed out\n// when DevTools is opened/closed/updated/undocked.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, DevToolsUpdatesBrowserWindow) {\n gfx::Rect full_bounds =\n browser_view()->GetContentsContainerForTest()->GetLocalBounds();\n gfx::Rect small_bounds(10, 20, 30, 40);\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Docked.\n OpenDevToolsWindow(true);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Undocked.\n OpenDevToolsWindow(false);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n}\n\nclass BookmarkBarViewObserverImpl : public BookmarkBarViewObserver {\n public:\n BookmarkBarViewObserverImpl() : change_count_(0) {\n }\n\n BookmarkBarViewObserverImpl(const BookmarkBarViewObserverImpl&) = delete;\n BookmarkBarViewObserverImpl& operator=(const BookmarkBarViewObserverImpl&) =\n delete;\n\n int change_count() const { return change_count_; }\n void clear_change_count() { change_count_ = 0; }\n\n // BookmarkBarViewObserver:\n void OnBookmarkBarVisibilityChanged() override { change_count_++; }\n\n private:\n int change_count_ = 0;\n};\n\n// Verifies we don't unnecessarily change the visibility of the BookmarkBarView.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, AvoidUnnecessaryVisibilityChanges) {\n // Create two tabs, the first empty and the second the ntp. Make it so the\n // BookmarkBarView isn't shown.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, false);\n GURL new_tab_url(chrome::kChromeUINewTabURL);\n chrome::AddTabAt(browser(), GURL(), -1, true);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), new_tab_url));\n\n ASSERT_TRUE(browser_view()->bookmark_bar());\n BookmarkBarViewObserverImpl observer;\n BookmarkBarView* bookmark_bar = browser_view()->bookmark_bar();\n bookmark_bar->AddObserver(&observer);\n EXPECT_FALSE(bookmark_bar->GetVisible());\n\n // Go to empty tab. Bookmark bar should hide.\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Go to ntp tab. Bookmark bar should not show.\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Repeat with the bookmark bar always visible.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, true);\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(1, observer.change_count());\n observer.clear_change_count();\n\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n browser_view()->bookmark_bar()->RemoveObserver(&observer);\n}\n\n// Launch the app, navigate to a page with a title, check that the tab title\n// is set before load finishes and the throbber state updates when the title\n// changes. Regression test for crbug.com/752266\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, TitleAndLoadState) {\n const std::u16string test_title(u\"Title Of Awesomeness\");\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n content::TitleWatcher title_watcher(contents, test_title);\n content::TestNavigationObserver navigation_watcher(\n contents, 1, content::MessageLoopRunner::QuitMode::DEFERRED);\n\n TabStrip* tab_strip = browser_view()->tabstrip();\n // Navigate without blocking.\n const GURL test_url = ui_test_utils::GetTestUrl(\n base::FilePath(base::FilePath::kCurrentDirectory),\n base::FilePath(FILE_PATH_LITERAL(\"title2.html\")));\n contents->GetController().LoadURL(test_url, content::Referrer(),\n ui::PAGE_TRANSITION_LINK, std::string());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kWaiting,\n tab_strip->tab_at(0)->data().network_state);\n EXPECT_EQ(test_title, title_watcher.WaitAndGetTitle());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kLoading,\n tab_strip->tab_at(0)->data().network_state);\n\n // Now block for the navigation to complete.\n navigation_watcher.Wait();\n EXPECT_FALSE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kNone, tab_strip->tab_at(0)->data().network_state);\n}\n\n// Verifies a tab should show its favicon.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, ShowFaviconInTab) {\n // Opens \"chrome://version/\" page, which uses default favicon.\n GURL version_url(chrome::kChromeUIVersionURL);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), version_url));\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n auto* helper = TabUIHelper::FromWebContents(contents);\n ASSERT_TRUE(helper);\n\n auto favicon = helper->GetFavicon();\n ASSERT_FALSE(favicon.IsEmpty());\n}\n\n// On Mac, voiceover treats tab modal dialogs as native windows, so setting an\n// accessible title for tab-modal dialogs is not necessary.\n#if !defined(OS_MAC)\n\n// Open a tab-modal dialog and check that the accessible window title is the\n// title of the dialog.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, GetAccessibleTabModalDialogTitle) {\n std::u16string window_title =\n u\"about:blank - \" + l10n_util::GetStringUTF16(IDS_PRODUCT_NAME);\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TestTabModalConfirmDialogDelegate* delegate_observer = delegate.get();\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n EXPECT_EQ(browser_view()->GetAccessibleWindowTitle(),\n delegate_observer->GetTitle());\n\n delegate_observer->Close();\n\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n}\n\n// Open a tab-modal dialog and check that the accessibility tree only contains\n// the dialog.\n#if defined(OS_LINUX)\n#define MAYBE_GetAccessibleTabModalDialogTree \\\n DISABLED_GetAccessibleTabModalDialogTree\n#else\n#define MAYBE_GetAccessibleTabModalDialogTree GetAccessibleTabModalDialogTree\n#endif\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, MAYBE_GetAccessibleTabModalDialogTree) {\n ui::testing::ScopedAxModeSetter ax_mode_setter(ui::kAXModeComplete);\n ui::AXPlatformNode* ax_node = ui::AXPlatformNode::FromNativeViewAccessible(\n browser_view()->GetWidget()->GetRootView()->GetNativeViewAccessible());\n// We expect this conversion to be safe on Windows, but can't guarantee that it\n// is safe on other platforms.\n#if defined(OS_WIN)\n ASSERT_TRUE(ax_node);\n#else\n if (!ax_node)\n return;\n#endif\n\n // There is no dialog, but the browser UI should be visible. So we expect the\n // browser's reload button and no \"OK\" button from a dialog.\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n\n // The tab modal dialog should be in the accessibility tree; everything else\n // should be hidden. So we expect an \"OK\" button and no reload button.\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n}\n\n#endif // !defined(OS_MAC)\n" + } +} \ No newline at end of file diff --git a/tools/disable_tests/tests/gtest-partial-test-name.json b/tools/disable_tests/tests/gtest-partial-test-name.json new file mode 100644 index 0000000000000..fd010770b0eae --- /dev/null +++ b/tools/disable_tests/tests/gtest-partial-test-name.json @@ -0,0 +1,13 @@ +{ + "args": [ + "./disable", + "BrowserViewTest.GetAccessibleTabModalDialogTree" + ], + "requests": "{\"GetTestResultHistory/{\\\"realm\\\": \\\"chromium:ci\\\", \\\"testIdRegexp\\\": \\\"ninja://.*/BrowserViewTest.GetAccessibleTabModalDialogTree(/.*)?\\\", \\\"pageSize\\\": 1}\": \"{\\\"entries\\\":[{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:50:40.398302Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1a9f2cbe3c11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FBrowserViewTest.GetAccessibleTabModalDialogTree/results/57175d0e-01547\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/BrowserViewTest.GetAccessibleTabModalDialogTree\\\",\\\"resultId\\\":\\\"57175d0e-01547\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Win10 Tests x64\\\",\\\"os\\\":\\\"Windows-10-19042\\\",\\\"test_suite\\\":\\\"browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"1.330s\\\",\\\"variantHash\\\":\\\"1c8234ad9f9159c5\\\"}}],\\\"nextPageToken\\\":\\\"CgJ0cwoYMDg5MGM5Yjc4YzA2MTBiMGI2ZjZiZDAxCgEx\\\"}\\n\", \"GetTestResult/{\\\"name\\\": \\\"invocations/task-chromium-swarm.appspot.com-572b1a9f2cbe3c11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FBrowserViewTest.GetAccessibleTabModalDialogTree/results/57175d0e-01547\\\"}\": \"{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1a9f2cbe3c11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FBrowserViewTest.GetAccessibleTabModalDialogTree/results/57175d0e-01547\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/BrowserViewTest.GetAccessibleTabModalDialogTree\\\",\\\"resultId\\\":\\\"57175d0e-01547\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Win10 Tests x64\\\",\\\"os\\\":\\\"Windows-10-19042\\\",\\\"test_suite\\\":\\\"browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"summaryHtml\\\":\\\"\\\\u003cp\\\\u003e\\\\u003ctext-artifact artifact-id=\\\\\\\"snippet\\\\\\\" /\\\\u003e\\\\u003c/p\\\\u003e\\\",\\\"duration\\\":\\\"1.330s\\\",\\\"tags\\\":[{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"CPU_64_BITS\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"MODE_RELEASE\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_WIN\\\"},{\\\"key\\\":\\\"gtest_status\\\",\\\"value\\\":\\\"SUCCESS\\\"},{\\\"key\\\":\\\"lossless_snippet\\\",\\\"value\\\":\\\"true\\\"},{\\\"key\\\":\\\"monorail_component\\\",\\\"value\\\":\\\"UI\\\\u003eBrowser\\\"},{\\\"key\\\":\\\"orig_format\\\",\\\"value\\\":\\\"chromium_gtest\\\"},{\\\"key\\\":\\\"step_name\\\",\\\"value\\\":\\\"browser_tests on Windows-10-19042\\\"},{\\\"key\\\":\\\"team_email\\\",\\\"value\\\":\\\"chromium-reviews@chromium.org\\\"},{\\\"key\\\":\\\"test_name\\\",\\\"value\\\":\\\"BrowserViewTest.GetAccessibleTabModalDialogTree\\\"}],\\\"variantHash\\\":\\\"1c8234ad9f9159c5\\\",\\\"testMetadata\\\":{\\\"name\\\":\\\"BrowserViewTest.GetAccessibleTabModalDialogTree\\\",\\\"location\\\":{\\\"repo\\\":\\\"https://chromium.googlesource.com/chromium/src\\\",\\\"fileName\\\":\\\"//chrome/browser/ui/views/frame/browser_view_browsertest.cc\\\",\\\"line\\\":351}}}\\n\"}", + "read_data": { + "chrome/browser/ui/views/frame/browser_view_browsertest.cc": "// Copyright 2013 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"chrome/browser/ui/views/frame/browser_view.h\"\n\n#include \"base/macros.h\"\n#include \"base/strings/utf_string_conversions.h\"\n#include \"build/build_config.h\"\n#include \"build/chromeos_buildflags.h\"\n#include \"chrome/browser/devtools/devtools_window_testing.h\"\n#include \"chrome/browser/ui/browser.h\"\n#include \"chrome/browser/ui/browser_tabstrip.h\"\n#include \"chrome/browser/ui/tab_modal_confirm_dialog.h\"\n#include \"chrome/browser/ui/tab_ui_helper.h\"\n#include \"chrome/browser/ui/tabs/tab_strip_model.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view_observer.h\"\n#include \"chrome/browser/ui/views/tabs/tab_strip.h\"\n#include \"chrome/common/pref_names.h\"\n#include \"chrome/common/url_constants.h\"\n#include \"chrome/grit/chromium_strings.h\"\n#include \"chrome/test/base/in_process_browser_test.h\"\n#include \"chrome/test/base/ui_test_utils.h\"\n#include \"components/bookmarks/common/bookmark_pref_names.h\"\n#include \"components/prefs/pref_service.h\"\n#include \"content/public/browser/invalidate_type.h\"\n#include \"content/public/browser/web_contents.h\"\n#include \"content/public/browser/web_contents_observer.h\"\n#include \"content/public/test/browser_test.h\"\n#include \"content/public/test/browser_test_utils.h\"\n#include \"content/public/test/test_navigation_observer.h\"\n#include \"media/base/media_switches.h\"\n#include \"ui/accessibility/platform/ax_platform_node.h\"\n#include \"ui/accessibility/platform/ax_platform_node_test_helper.h\"\n#include \"ui/base/l10n/l10n_util.h\"\n\n#if defined(USE_AURA)\n#include \"ui/aura/client/focus_client.h\"\n#include \"ui/views/widget/native_widget_aura.h\"\n#endif // USE_AURA\n\nclass BrowserViewTest : public InProcessBrowserTest {\n public:\n BrowserViewTest() : devtools_(nullptr) {}\n\n BrowserViewTest(const BrowserViewTest&) = delete;\n BrowserViewTest& operator=(const BrowserViewTest&) = delete;\n\n protected:\n BrowserView* browser_view() {\n return BrowserView::GetBrowserViewForBrowser(browser());\n }\n\n views::WebView* devtools_web_view() {\n return browser_view()->GetDevToolsWebViewForTest();\n }\n\n views::WebView* contents_web_view() {\n return browser_view()->contents_web_view();\n }\n\n void OpenDevToolsWindow(bool docked) {\n devtools_ =\n DevToolsWindowTesting::OpenDevToolsWindowSync(browser(), docked);\n }\n\n void CloseDevToolsWindow() {\n DevToolsWindowTesting::CloseDevToolsWindowSync(devtools_);\n }\n\n void SetDevToolsBounds(const gfx::Rect& bounds) {\n DevToolsWindowTesting::Get(devtools_)->SetInspectedPageBounds(bounds);\n }\n\n DevToolsWindow* devtools_;\n\n private:\n base::test::ScopedFeatureList scoped_feature_list_;\n};\n\nnamespace {\n\n// Used to simulate scenario in a crash. When WebContentsDestroyed() is invoked\n// updates the navigation state of another tab.\nclass TestWebContentsObserver : public content::WebContentsObserver {\n public:\n TestWebContentsObserver(content::WebContents* source,\n content::WebContents* other)\n : content::WebContentsObserver(source),\n other_(other) {}\n\n TestWebContentsObserver(const TestWebContentsObserver&) = delete;\n TestWebContentsObserver& operator=(const TestWebContentsObserver&) = delete;\n\n ~TestWebContentsObserver() override {}\n\n void WebContentsDestroyed() override {\n other_->NotifyNavigationStateChanged(static_cast<content::InvalidateTypes>(\n content::INVALIDATE_TYPE_URL | content::INVALIDATE_TYPE_LOAD));\n }\n\n private:\n content::WebContents* other_;\n};\n\nclass TestTabModalConfirmDialogDelegate : public TabModalConfirmDialogDelegate {\n public:\n explicit TestTabModalConfirmDialogDelegate(content::WebContents* contents)\n : TabModalConfirmDialogDelegate(contents) {}\n\n TestTabModalConfirmDialogDelegate(const TestTabModalConfirmDialogDelegate&) =\n delete;\n TestTabModalConfirmDialogDelegate& operator=(\n const TestTabModalConfirmDialogDelegate&) = delete;\n\n std::u16string GetTitle() override { return std::u16string(u\"Dialog Title\"); }\n std::u16string GetDialogMessage() override { return std::u16string(); }\n};\n} // namespace\n\n// Verifies don't crash when CloseNow() is invoked with two tabs in a browser.\n// Additionally when one of the tabs is destroyed NotifyNavigationStateChanged()\n// is invoked on the other.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabs) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Same as CloseWithTabs, but activates the first tab, which is the first tab\n// BrowserView will destroy.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabsStartWithActive) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n browser2->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Verifies that page and devtools WebViews are being correctly layed out\n// when DevTools is opened/closed/updated/undocked.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, DevToolsUpdatesBrowserWindow) {\n gfx::Rect full_bounds =\n browser_view()->GetContentsContainerForTest()->GetLocalBounds();\n gfx::Rect small_bounds(10, 20, 30, 40);\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Docked.\n OpenDevToolsWindow(true);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Undocked.\n OpenDevToolsWindow(false);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n}\n\nclass BookmarkBarViewObserverImpl : public BookmarkBarViewObserver {\n public:\n BookmarkBarViewObserverImpl() : change_count_(0) {\n }\n\n BookmarkBarViewObserverImpl(const BookmarkBarViewObserverImpl&) = delete;\n BookmarkBarViewObserverImpl& operator=(const BookmarkBarViewObserverImpl&) =\n delete;\n\n int change_count() const { return change_count_; }\n void clear_change_count() { change_count_ = 0; }\n\n // BookmarkBarViewObserver:\n void OnBookmarkBarVisibilityChanged() override { change_count_++; }\n\n private:\n int change_count_ = 0;\n};\n\n// Verifies we don't unnecessarily change the visibility of the BookmarkBarView.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, AvoidUnnecessaryVisibilityChanges) {\n // Create two tabs, the first empty and the second the ntp. Make it so the\n // BookmarkBarView isn't shown.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, false);\n GURL new_tab_url(chrome::kChromeUINewTabURL);\n chrome::AddTabAt(browser(), GURL(), -1, true);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), new_tab_url));\n\n ASSERT_TRUE(browser_view()->bookmark_bar());\n BookmarkBarViewObserverImpl observer;\n BookmarkBarView* bookmark_bar = browser_view()->bookmark_bar();\n bookmark_bar->AddObserver(&observer);\n EXPECT_FALSE(bookmark_bar->GetVisible());\n\n // Go to empty tab. Bookmark bar should hide.\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Go to ntp tab. Bookmark bar should not show.\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Repeat with the bookmark bar always visible.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, true);\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(1, observer.change_count());\n observer.clear_change_count();\n\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n browser_view()->bookmark_bar()->RemoveObserver(&observer);\n}\n\n// Launch the app, navigate to a page with a title, check that the tab title\n// is set before load finishes and the throbber state updates when the title\n// changes. Regression test for crbug.com/752266\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, TitleAndLoadState) {\n const std::u16string test_title(u\"Title Of Awesomeness\");\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n content::TitleWatcher title_watcher(contents, test_title);\n content::TestNavigationObserver navigation_watcher(\n contents, 1, content::MessageLoopRunner::QuitMode::DEFERRED);\n\n TabStrip* tab_strip = browser_view()->tabstrip();\n // Navigate without blocking.\n const GURL test_url = ui_test_utils::GetTestUrl(\n base::FilePath(base::FilePath::kCurrentDirectory),\n base::FilePath(FILE_PATH_LITERAL(\"title2.html\")));\n contents->GetController().LoadURL(test_url, content::Referrer(),\n ui::PAGE_TRANSITION_LINK, std::string());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kWaiting,\n tab_strip->tab_at(0)->data().network_state);\n EXPECT_EQ(test_title, title_watcher.WaitAndGetTitle());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kLoading,\n tab_strip->tab_at(0)->data().network_state);\n\n // Now block for the navigation to complete.\n navigation_watcher.Wait();\n EXPECT_FALSE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kNone, tab_strip->tab_at(0)->data().network_state);\n}\n\n// Verifies a tab should show its favicon.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, ShowFaviconInTab) {\n // Opens \"chrome://version/\" page, which uses default favicon.\n GURL version_url(chrome::kChromeUIVersionURL);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), version_url));\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n auto* helper = TabUIHelper::FromWebContents(contents);\n ASSERT_TRUE(helper);\n\n auto favicon = helper->GetFavicon();\n ASSERT_FALSE(favicon.IsEmpty());\n}\n\n// On Mac, voiceover treats tab modal dialogs as native windows, so setting an\n// accessible title for tab-modal dialogs is not necessary.\n#if !defined(OS_MAC)\n\n// Open a tab-modal dialog and check that the accessible window title is the\n// title of the dialog.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, GetAccessibleTabModalDialogTitle) {\n std::u16string window_title =\n u\"about:blank - \" + l10n_util::GetStringUTF16(IDS_PRODUCT_NAME);\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TestTabModalConfirmDialogDelegate* delegate_observer = delegate.get();\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n EXPECT_EQ(browser_view()->GetAccessibleWindowTitle(),\n delegate_observer->GetTitle());\n\n delegate_observer->Close();\n\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n}\n\n// Open a tab-modal dialog and check that the accessibility tree only contains\n// the dialog.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, GetAccessibleTabModalDialogTree) {\n ui::testing::ScopedAxModeSetter ax_mode_setter(ui::kAXModeComplete);\n ui::AXPlatformNode* ax_node = ui::AXPlatformNode::FromNativeViewAccessible(\n browser_view()->GetWidget()->GetRootView()->GetNativeViewAccessible());\n// We expect this conversion to be safe on Windows, but can't guarantee that it\n// is safe on other platforms.\n#if defined(OS_WIN)\n ASSERT_TRUE(ax_node);\n#else\n if (!ax_node)\n return;\n#endif\n\n // There is no dialog, but the browser UI should be visible. So we expect the\n // browser's reload button and no \"OK\" button from a dialog.\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n\n // The tab modal dialog should be in the accessibility tree; everything else\n // should be hidden. So we expect an \"OK\" button and no reload button.\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n}\n\n#endif // !defined(OS_MAC)\n" + }, + "written_data": { + "chrome/browser/ui/views/frame/browser_view_browsertest.cc": "// Copyright 2013 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"chrome/browser/ui/views/frame/browser_view.h\"\n\n#include \"base/macros.h\"\n#include \"base/strings/utf_string_conversions.h\"\n#include \"build/build_config.h\"\n#include \"build/chromeos_buildflags.h\"\n#include \"chrome/browser/devtools/devtools_window_testing.h\"\n#include \"chrome/browser/ui/browser.h\"\n#include \"chrome/browser/ui/browser_tabstrip.h\"\n#include \"chrome/browser/ui/tab_modal_confirm_dialog.h\"\n#include \"chrome/browser/ui/tab_ui_helper.h\"\n#include \"chrome/browser/ui/tabs/tab_strip_model.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view.h\"\n#include \"chrome/browser/ui/views/bookmarks/bookmark_bar_view_observer.h\"\n#include \"chrome/browser/ui/views/tabs/tab_strip.h\"\n#include \"chrome/common/pref_names.h\"\n#include \"chrome/common/url_constants.h\"\n#include \"chrome/grit/chromium_strings.h\"\n#include \"chrome/test/base/in_process_browser_test.h\"\n#include \"chrome/test/base/ui_test_utils.h\"\n#include \"components/bookmarks/common/bookmark_pref_names.h\"\n#include \"components/prefs/pref_service.h\"\n#include \"content/public/browser/invalidate_type.h\"\n#include \"content/public/browser/web_contents.h\"\n#include \"content/public/browser/web_contents_observer.h\"\n#include \"content/public/test/browser_test.h\"\n#include \"content/public/test/browser_test_utils.h\"\n#include \"content/public/test/test_navigation_observer.h\"\n#include \"media/base/media_switches.h\"\n#include \"ui/accessibility/platform/ax_platform_node.h\"\n#include \"ui/accessibility/platform/ax_platform_node_test_helper.h\"\n#include \"ui/base/l10n/l10n_util.h\"\n\n#if defined(USE_AURA)\n#include \"ui/aura/client/focus_client.h\"\n#include \"ui/views/widget/native_widget_aura.h\"\n#endif // USE_AURA\n\nclass BrowserViewTest : public InProcessBrowserTest {\n public:\n BrowserViewTest() : devtools_(nullptr) {}\n\n BrowserViewTest(const BrowserViewTest&) = delete;\n BrowserViewTest& operator=(const BrowserViewTest&) = delete;\n\n protected:\n BrowserView* browser_view() {\n return BrowserView::GetBrowserViewForBrowser(browser());\n }\n\n views::WebView* devtools_web_view() {\n return browser_view()->GetDevToolsWebViewForTest();\n }\n\n views::WebView* contents_web_view() {\n return browser_view()->contents_web_view();\n }\n\n void OpenDevToolsWindow(bool docked) {\n devtools_ =\n DevToolsWindowTesting::OpenDevToolsWindowSync(browser(), docked);\n }\n\n void CloseDevToolsWindow() {\n DevToolsWindowTesting::CloseDevToolsWindowSync(devtools_);\n }\n\n void SetDevToolsBounds(const gfx::Rect& bounds) {\n DevToolsWindowTesting::Get(devtools_)->SetInspectedPageBounds(bounds);\n }\n\n DevToolsWindow* devtools_;\n\n private:\n base::test::ScopedFeatureList scoped_feature_list_;\n};\n\nnamespace {\n\n// Used to simulate scenario in a crash. When WebContentsDestroyed() is invoked\n// updates the navigation state of another tab.\nclass TestWebContentsObserver : public content::WebContentsObserver {\n public:\n TestWebContentsObserver(content::WebContents* source,\n content::WebContents* other)\n : content::WebContentsObserver(source),\n other_(other) {}\n\n TestWebContentsObserver(const TestWebContentsObserver&) = delete;\n TestWebContentsObserver& operator=(const TestWebContentsObserver&) = delete;\n\n ~TestWebContentsObserver() override {}\n\n void WebContentsDestroyed() override {\n other_->NotifyNavigationStateChanged(static_cast<content::InvalidateTypes>(\n content::INVALIDATE_TYPE_URL | content::INVALIDATE_TYPE_LOAD));\n }\n\n private:\n content::WebContents* other_;\n};\n\nclass TestTabModalConfirmDialogDelegate : public TabModalConfirmDialogDelegate {\n public:\n explicit TestTabModalConfirmDialogDelegate(content::WebContents* contents)\n : TabModalConfirmDialogDelegate(contents) {}\n\n TestTabModalConfirmDialogDelegate(const TestTabModalConfirmDialogDelegate&) =\n delete;\n TestTabModalConfirmDialogDelegate& operator=(\n const TestTabModalConfirmDialogDelegate&) = delete;\n\n std::u16string GetTitle() override { return std::u16string(u\"Dialog Title\"); }\n std::u16string GetDialogMessage() override { return std::u16string(); }\n};\n} // namespace\n\n// Verifies don't crash when CloseNow() is invoked with two tabs in a browser.\n// Additionally when one of the tabs is destroyed NotifyNavigationStateChanged()\n// is invoked on the other.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabs) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Same as CloseWithTabs, but activates the first tab, which is the first tab\n// BrowserView will destroy.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, CloseWithTabsStartWithActive) {\n Browser* browser2 =\n Browser::Create(Browser::CreateParams(browser()->profile(), true));\n chrome::AddTabAt(browser2, GURL(), -1, true);\n chrome::AddTabAt(browser2, GURL(), -1, true);\n browser2->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n TestWebContentsObserver observer(\n browser2->tab_strip_model()->GetWebContentsAt(0),\n browser2->tab_strip_model()->GetWebContentsAt(1));\n BrowserView::GetBrowserViewForBrowser(browser2)->GetWidget()->CloseNow();\n}\n\n// Verifies that page and devtools WebViews are being correctly layed out\n// when DevTools is opened/closed/updated/undocked.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, DevToolsUpdatesBrowserWindow) {\n gfx::Rect full_bounds =\n browser_view()->GetContentsContainerForTest()->GetLocalBounds();\n gfx::Rect small_bounds(10, 20, 30, 40);\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Docked.\n OpenDevToolsWindow(true);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n // Undocked.\n OpenDevToolsWindow(false);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n\n SetDevToolsBounds(small_bounds);\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_TRUE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(small_bounds, contents_web_view()->bounds());\n\n CloseDevToolsWindow();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n\n browser_view()->UpdateDevTools();\n EXPECT_FALSE(devtools_web_view()->web_contents());\n EXPECT_EQ(full_bounds, devtools_web_view()->bounds());\n EXPECT_EQ(full_bounds, contents_web_view()->bounds());\n}\n\nclass BookmarkBarViewObserverImpl : public BookmarkBarViewObserver {\n public:\n BookmarkBarViewObserverImpl() : change_count_(0) {\n }\n\n BookmarkBarViewObserverImpl(const BookmarkBarViewObserverImpl&) = delete;\n BookmarkBarViewObserverImpl& operator=(const BookmarkBarViewObserverImpl&) =\n delete;\n\n int change_count() const { return change_count_; }\n void clear_change_count() { change_count_ = 0; }\n\n // BookmarkBarViewObserver:\n void OnBookmarkBarVisibilityChanged() override { change_count_++; }\n\n private:\n int change_count_ = 0;\n};\n\n// Verifies we don't unnecessarily change the visibility of the BookmarkBarView.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, AvoidUnnecessaryVisibilityChanges) {\n // Create two tabs, the first empty and the second the ntp. Make it so the\n // BookmarkBarView isn't shown.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, false);\n GURL new_tab_url(chrome::kChromeUINewTabURL);\n chrome::AddTabAt(browser(), GURL(), -1, true);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), new_tab_url));\n\n ASSERT_TRUE(browser_view()->bookmark_bar());\n BookmarkBarViewObserverImpl observer;\n BookmarkBarView* bookmark_bar = browser_view()->bookmark_bar();\n bookmark_bar->AddObserver(&observer);\n EXPECT_FALSE(bookmark_bar->GetVisible());\n\n // Go to empty tab. Bookmark bar should hide.\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Go to ntp tab. Bookmark bar should not show.\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_FALSE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n // Repeat with the bookmark bar always visible.\n browser()->profile()->GetPrefs()->SetBoolean(\n bookmarks::prefs::kShowBookmarkBar, true);\n browser()->tab_strip_model()->ActivateTabAt(\n 0, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(1, observer.change_count());\n observer.clear_change_count();\n\n browser()->tab_strip_model()->ActivateTabAt(\n 1, {TabStripModel::GestureType::kOther});\n EXPECT_TRUE(bookmark_bar->GetVisible());\n EXPECT_EQ(0, observer.change_count());\n observer.clear_change_count();\n\n browser_view()->bookmark_bar()->RemoveObserver(&observer);\n}\n\n// Launch the app, navigate to a page with a title, check that the tab title\n// is set before load finishes and the throbber state updates when the title\n// changes. Regression test for crbug.com/752266\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, TitleAndLoadState) {\n const std::u16string test_title(u\"Title Of Awesomeness\");\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n content::TitleWatcher title_watcher(contents, test_title);\n content::TestNavigationObserver navigation_watcher(\n contents, 1, content::MessageLoopRunner::QuitMode::DEFERRED);\n\n TabStrip* tab_strip = browser_view()->tabstrip();\n // Navigate without blocking.\n const GURL test_url = ui_test_utils::GetTestUrl(\n base::FilePath(base::FilePath::kCurrentDirectory),\n base::FilePath(FILE_PATH_LITERAL(\"title2.html\")));\n contents->GetController().LoadURL(test_url, content::Referrer(),\n ui::PAGE_TRANSITION_LINK, std::string());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kWaiting,\n tab_strip->tab_at(0)->data().network_state);\n EXPECT_EQ(test_title, title_watcher.WaitAndGetTitle());\n EXPECT_TRUE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kLoading,\n tab_strip->tab_at(0)->data().network_state);\n\n // Now block for the navigation to complete.\n navigation_watcher.Wait();\n EXPECT_FALSE(browser()->tab_strip_model()->TabsAreLoading());\n EXPECT_EQ(TabNetworkState::kNone, tab_strip->tab_at(0)->data().network_state);\n}\n\n// Verifies a tab should show its favicon.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, ShowFaviconInTab) {\n // Opens \"chrome://version/\" page, which uses default favicon.\n GURL version_url(chrome::kChromeUIVersionURL);\n ASSERT_TRUE(ui_test_utils::NavigateToURL(browser(), version_url));\n auto* contents = browser()->tab_strip_model()->GetActiveWebContents();\n auto* helper = TabUIHelper::FromWebContents(contents);\n ASSERT_TRUE(helper);\n\n auto favicon = helper->GetFavicon();\n ASSERT_FALSE(favicon.IsEmpty());\n}\n\n// On Mac, voiceover treats tab modal dialogs as native windows, so setting an\n// accessible title for tab-modal dialogs is not necessary.\n#if !defined(OS_MAC)\n\n// Open a tab-modal dialog and check that the accessible window title is the\n// title of the dialog.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest, GetAccessibleTabModalDialogTitle) {\n std::u16string window_title =\n u\"about:blank - \" + l10n_util::GetStringUTF16(IDS_PRODUCT_NAME);\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TestTabModalConfirmDialogDelegate* delegate_observer = delegate.get();\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n EXPECT_EQ(browser_view()->GetAccessibleWindowTitle(),\n delegate_observer->GetTitle());\n\n delegate_observer->Close();\n\n EXPECT_TRUE(base::StartsWith(browser_view()->GetAccessibleWindowTitle(),\n window_title, base::CompareCase::SENSITIVE));\n}\n\n// Open a tab-modal dialog and check that the accessibility tree only contains\n// the dialog.\nIN_PROC_BROWSER_TEST_F(BrowserViewTest,\n DISABLED_GetAccessibleTabModalDialogTree) {\n ui::testing::ScopedAxModeSetter ax_mode_setter(ui::kAXModeComplete);\n ui::AXPlatformNode* ax_node = ui::AXPlatformNode::FromNativeViewAccessible(\n browser_view()->GetWidget()->GetRootView()->GetNativeViewAccessible());\n// We expect this conversion to be safe on Windows, but can't guarantee that it\n// is safe on other platforms.\n#if defined(OS_WIN)\n ASSERT_TRUE(ax_node);\n#else\n if (!ax_node)\n return;\n#endif\n\n // There is no dialog, but the browser UI should be visible. So we expect the\n // browser's reload button and no \"OK\" button from a dialog.\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n\n content::WebContents* contents = browser_view()->GetActiveWebContents();\n auto delegate = std::make_unique<TestTabModalConfirmDialogDelegate>(contents);\n TabModalConfirmDialog::Create(std::move(delegate), contents);\n\n // The tab modal dialog should be in the accessibility tree; everything else\n // should be hidden. So we expect an \"OK\" button and no reload button.\n EXPECT_EQ(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"Reload\"),\n nullptr);\n EXPECT_NE(ui::AXPlatformNodeTestHelper::FindChildByName(ax_node, \"OK\"),\n nullptr);\n}\n\n#endif // !defined(OS_MAC)\n" + } +} \ No newline at end of file diff --git a/tools/disable_tests/tests/gtest-redundant-conditions.json b/tools/disable_tests/tests/gtest-redundant-conditions.json new file mode 100644 index 0000000000000..4e967afd91808 --- /dev/null +++ b/tools/disable_tests/tests/gtest-redundant-conditions.json @@ -0,0 +1,16 @@ +{ + "args": [ + "./disable", + "EmbeddedTestServerTest.ConnectionListenerComplete", + "linux", + "linux", + "chromeos" + ], + "requests": "{\"GetTestResultHistory/{\\\"realm\\\": \\\"chromium:ci\\\", \\\"testIdRegexp\\\": \\\"ninja://.*/EmbeddedTestServerTest.ConnectionListenerComplete(/.*)?\\\", \\\"pageSize\\\": 1}\": \"{\\\"entries\\\":[{\\\"invocationTimestamp\\\":\\\"2021-11-12T04:08:24.036092Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b08d44e0f1f11/tests/ninja:%2F%2Fnet:net_unittests%2FEmbeddedTestServerTest.ConnectionListenerComplete%2FEmbeddedTestServerTestInstantiation.0/results/4da3b2fd-01064\\\",\\\"testId\\\":\\\"ninja://net:net_unittests/EmbeddedTestServerTest.ConnectionListenerComplete/EmbeddedTestServerTestInstantiation.0\\\",\\\"resultId\\\":\\\"4da3b2fd-01064\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux TSan Tests\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"net_unittests\\\"}},\\\"status\\\":\\\"FAIL\\\",\\\"duration\\\":\\\"20.027s\\\",\\\"variantHash\\\":\\\"831e8341176b94de\\\"}}],\\\"nextPageToken\\\":\\\"CgJ0cwoWMDhiOGQxYjc4YzA2MTBlMGYwOWExMQoBMQ==\\\"}\\n\", \"GetTestResult/{\\\"name\\\": \\\"invocations/task-chromium-swarm.appspot.com-572b08d44e0f1f11/tests/ninja:%2F%2Fnet:net_unittests%2FEmbeddedTestServerTest.ConnectionListenerComplete%2FEmbeddedTestServerTestInstantiation.0/results/4da3b2fd-01064\\\"}\": \"{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b08d44e0f1f11/tests/ninja:%2F%2Fnet:net_unittests%2FEmbeddedTestServerTest.ConnectionListenerComplete%2FEmbeddedTestServerTestInstantiation.0/results/4da3b2fd-01064\\\",\\\"testId\\\":\\\"ninja://net:net_unittests/EmbeddedTestServerTest.ConnectionListenerComplete/EmbeddedTestServerTestInstantiation.0\\\",\\\"resultId\\\":\\\"4da3b2fd-01064\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux TSan Tests\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"net_unittests\\\"}},\\\"status\\\":\\\"FAIL\\\",\\\"summaryHtml\\\":\\\"\\\\u003cp\\\\u003e\\\\u003ctext-artifact artifact-id=\\\\\\\"snippet\\\\\\\" /\\\\u003e\\\\u003c/p\\\\u003e\\\",\\\"duration\\\":\\\"20.027s\\\",\\\"tags\\\":[{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"CPU_64_BITS\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"MODE_RELEASE\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_LINUX\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_POSIX\\\"},{\\\"key\\\":\\\"gtest_status\\\",\\\"value\\\":\\\"FAILURE\\\"},{\\\"key\\\":\\\"lossless_snippet\\\",\\\"value\\\":\\\"true\\\"},{\\\"key\\\":\\\"orig_format\\\",\\\"value\\\":\\\"chromium_gtest\\\"},{\\\"key\\\":\\\"step_name\\\",\\\"value\\\":\\\"net_unittests on Ubuntu-18.04\\\"},{\\\"key\\\":\\\"test_name\\\",\\\"value\\\":\\\"EmbeddedTestServerTestInstantiation/EmbeddedTestServerTest.ConnectionListenerComplete/0\\\"}],\\\"variantHash\\\":\\\"831e8341176b94de\\\",\\\"testMetadata\\\":{\\\"name\\\":\\\"EmbeddedTestServerTestInstantiation/EmbeddedTestServerTest.ConnectionListenerComplete/0\\\",\\\"location\\\":{\\\"repo\\\":\\\"https://chromium.googlesource.com/chromium/src\\\",\\\"fileName\\\":\\\"//net/test/embedded_test_server/embedded_test_server_unittest.cc\\\",\\\"line\\\":353}},\\\"failureReason\\\":{\\\"primaryErrorMessage\\\":\\\"Failed\\\\nRunLoop::Run() timed out. Timeout set at TaskEnvironment@base/test/task_environment.cc:379.\\\\n{\\\\\\\"active_queues\\\\\\\":[{\\\\\\\"any_thread_.immediate_incoming_queuecapacity\\\\\\\":4,\\\\\\\"any_thread_.immediate_incoming_queuesize\\\\\\\":0,\\\\\\\"delayed_incoming_queue\\\\\\\":[],\\\\\\\"delayed_incoming_queue_size\\\\\\\":0,\\\\\\\"delayed_work_queue\\\\\\\":[],\\\\\\\"delayed_work_queue_capacity\\\\\\\":4,\\\\\\\"delayed_work_queue_size\\\\\\\":0,\\\\\\\"enabled\\\\\\\":true,\\\\\\\"immediate_incoming_queue\\\\\\\":[],\\\\\\\"immediate_work_queue\\\\\\\":[],\\\\\\\"immediate_work_queue_capacity\\\\\\\":0,\\\\\\\"immediate_work_queue_size\\\\\\\":0,\\\\\\\"name\\\\\\\":\\\\\\\"task_environment_default\\\\\\\",\\\\\\\"priority\\\\\\\":\\\\\\\"normal\\\\\\\",\\\\\\\"task_queue_id\\\\\\\":\\\\\\\"0x7b500000ca00\\\\\\\"}],\\\\\\\"native_work_priority\\\\\\\":\\\\\\\"best_effort\\\\\\\",\\\\\\\"non_waking_wake_up_queue\\\\\\\":{\\\\\\\"name\\\\\\\":\\\\\\\"NonWakingWakeUpQueue\\\\\\\",\\\\\\\"registered_delay_count\\\\\\\":0},\\\\\\\"queues_to_delete\\\\\\\":[],\\\\\\\"queues_to_gracefully_shutdown\\\\\\\":[],\\\\\\\"selector\\\\\\\":{\\\\\\\"immediate_starvation_count\\\\\\\":0},\\\\\\\"time_domain\\\\\\\":{\\\\\\\"name\\\\\\\":\\\\\\\"RealTimeDomain\\\\\\\"},\\\\\\\"wake_up_queue\\\\\\\":{\\\\\\\"name\\\\\\\":\\\\\\\"DefaultWakeUpQueue\\\\\\\",\\\\\\\"registered_delay_count\\\\\\\":0}}\\\"}}\\n\"}", + "read_data": { + "net/test/embedded_test_server/embedded_test_server_unittest.cc": "// Copyright (c) 2012 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"net/test/embedded_test_server/embedded_test_server.h\"\n\n#include <tuple>\n#include <utility>\n\n#include \"base/bind.h\"\n#include \"base/callback_helpers.h\"\n#include \"base/macros.h\"\n#include \"base/memory/weak_ptr.h\"\n#include \"base/message_loop/message_pump_type.h\"\n#include \"base/path_service.h\"\n#include \"base/run_loop.h\"\n#include \"base/strings/stringprintf.h\"\n#include \"base/synchronization/lock.h\"\n#include \"base/task/single_thread_task_executor.h\"\n#include \"base/task/single_thread_task_runner.h\"\n#include \"base/threading/thread.h\"\n#include \"base/threading/thread_task_runner_handle.h\"\n#include \"build/build_config.h\"\n#include \"net/base/test_completion_callback.h\"\n#include \"net/http/http_response_headers.h\"\n#include \"net/log/net_log_source.h\"\n#include \"net/socket/client_socket_factory.h\"\n#include \"net/socket/stream_socket.h\"\n#include \"net/test/embedded_test_server/embedded_test_server_connection_listener.h\"\n#include \"net/test/embedded_test_server/http_request.h\"\n#include \"net/test/embedded_test_server/http_response.h\"\n#include \"net/test/embedded_test_server/request_handler_util.h\"\n#include \"net/test/gtest_util.h\"\n#include \"net/test/test_with_task_environment.h\"\n#include \"net/traffic_annotation/network_traffic_annotation_test_helper.h\"\n#include \"net/url_request/url_request.h\"\n#include \"net/url_request/url_request_test_util.h\"\n#include \"testing/gmock/include/gmock/gmock.h\"\n#include \"testing/gtest/include/gtest/gtest.h\"\n\nusing net::test::IsOk;\n\nnamespace net {\nnamespace test_server {\n\n// Gets notified by the EmbeddedTestServer on incoming connections being\n// accepted, read from, or closed.\nclass TestConnectionListener\n : public net::test_server::EmbeddedTestServerConnectionListener {\n public:\n TestConnectionListener()\n : socket_accepted_count_(0),\n did_read_from_socket_(false),\n did_get_socket_on_complete_(false),\n task_runner_(base::ThreadTaskRunnerHandle::Get()) {}\n\n TestConnectionListener(const TestConnectionListener&) = delete;\n TestConnectionListener& operator=(const TestConnectionListener&) = delete;\n\n ~TestConnectionListener() override = default;\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was accepted.\n std::unique_ptr<StreamSocket> AcceptedSocket(\n std::unique_ptr<StreamSocket> connection) override {\n base::AutoLock lock(lock_);\n ++socket_accepted_count_;\n accept_loop_.Quit();\n return connection;\n }\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was read from.\n void ReadFromSocket(const net::StreamSocket& connection, int rv) override {\n base::AutoLock lock(lock_);\n did_read_from_socket_ = true;\n }\n\n void OnResponseCompletedSuccessfully(\n std::unique_ptr<StreamSocket> socket) override {\n base::AutoLock lock(lock_);\n did_get_socket_on_complete_ = socket && socket->IsConnected();\n complete_loop_.Quit();\n }\n\n void WaitUntilFirstConnectionAccepted() { accept_loop_.Run(); }\n\n void WaitUntilGotSocketFromResponseCompleted() { complete_loop_.Run(); }\n\n size_t SocketAcceptedCount() const {\n base::AutoLock lock(lock_);\n return socket_accepted_count_;\n }\n\n bool DidReadFromSocket() const {\n base::AutoLock lock(lock_);\n return did_read_from_socket_;\n }\n\n bool DidGetSocketOnComplete() const {\n base::AutoLock lock(lock_);\n return did_get_socket_on_complete_;\n }\n\n private:\n size_t socket_accepted_count_;\n bool did_read_from_socket_;\n bool did_get_socket_on_complete_;\n\n base::RunLoop accept_loop_;\n base::RunLoop complete_loop_;\n scoped_refptr<base::SingleThreadTaskRunner> task_runner_;\n\n mutable base::Lock lock_;\n};\n\nstruct EmbeddedTestServerConfig {\n EmbeddedTestServer::Type type;\n HttpConnection::Protocol protocol;\n};\n\nstd::vector<EmbeddedTestServerConfig> EmbeddedTestServerConfigs() {\n return {\n {EmbeddedTestServer::TYPE_HTTP, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp2},\n };\n}\n\nclass EmbeddedTestServerTest\n : public testing::TestWithParam<EmbeddedTestServerConfig>,\n public WithTaskEnvironment {\n public:\n EmbeddedTestServerTest() {}\n\n void SetUp() override {\n server_ = std::make_unique<EmbeddedTestServer>(GetParam().type,\n GetParam().protocol);\n server_->AddDefaultHandlers();\n server_->SetConnectionListener(&connection_listener_);\n }\n\n void TearDown() override {\n if (server_->Started())\n ASSERT_TRUE(server_->ShutdownAndWaitUntilComplete());\n }\n\n // Handles |request| sent to |path| and returns the response per |content|,\n // |content type|, and |code|. Saves the request URL for verification.\n std::unique_ptr<HttpResponse> HandleRequest(const std::string& path,\n const std::string& content,\n const std::string& content_type,\n HttpStatusCode code,\n const HttpRequest& request) {\n request_relative_url_ = request.relative_url;\n request_absolute_url_ = request.GetURL();\n\n if (request_absolute_url_.path() == path) {\n auto http_response = std::make_unique<BasicHttpResponse>();\n http_response->set_code(code);\n http_response->set_content(content);\n http_response->set_content_type(content_type);\n return http_response;\n }\n\n return nullptr;\n }\n\n protected:\n std::string request_relative_url_;\n GURL request_absolute_url_;\n TestURLRequestContext context_;\n TestConnectionListener connection_listener_;\n std::unique_ptr<EmbeddedTestServer> server_;\n base::OnceClosure quit_run_loop_;\n};\n\nTEST_P(EmbeddedTestServerTest, GetBaseURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURLWithHostname) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://foo.com:%d/path?query=foo\",\n server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(\n base::StringPrintf(\"http://foo.com:%d/path?query=foo\", server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, RegisterRequestHandler) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test\",\n \"<b>Worked!</b>\", \"text/html\", HTTP_OK));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<b>Worked!</b>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n\n EXPECT_EQ(\"/test?q=foo\", request_relative_url_);\n EXPECT_EQ(server_->GetURL(\"/test?q=foo\"), request_absolute_url_);\n}\n\nTEST_P(EmbeddedTestServerTest, ServeFilesFromDirectory) {\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, MockHeadersWithoutCRLF) {\n // Messing with raw headers isn't compatible with HTTP/2\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\").AppendASCII(\n \"embedded_test_server\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/mock-headers-without-crlf.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, DefaultNotFoundResponse) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request->response_headers()->response_code());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerAccept) {\n ASSERT_TRUE(server_->Start());\n\n net::AddressList address_list;\n EXPECT_TRUE(server_->GetAddressList(&address_list));\n\n std::unique_ptr<StreamSocket> socket =\n ClientSocketFactory::GetDefaultFactory()->CreateTransportClientSocket(\n address_list, nullptr, nullptr, NetLog::Get(), NetLogSource());\n TestCompletionCallback callback;\n ASSERT_THAT(callback.GetResult(socket->Connect(callback.callback())), IsOk());\n\n connection_listener_.WaitUntilFirstConnectionAccepted();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_FALSE(connection_listener_.DidReadFromSocket());\n EXPECT_FALSE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerRead) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n}\n\n// TODO(http://crbug.com/1166868): Flaky on ChromeOS.\n#if defined(OS_CHROMEOS)\n#define MAYBE_ConnectionListenerComplete DISABLED_ConnectionListenerComplete\n#else\n#define MAYBE_ConnectionListenerComplete ConnectionListenerComplete\n#endif\nTEST_P(EmbeddedTestServerTest, MAYBE_ConnectionListenerComplete) {\n // OnResponseCompletedSuccessfully() makes the assumption that a connection is\n // \"finished\" before the socket is closed, and in the case of HTTP/2 this is\n // not supported\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n // Need to send a Keep-Alive response header since the EmbeddedTestServer only\n // invokes OnResponseCompletedSuccessfully() if the socket is still open, and\n // the network stack will close the socket if not reuable, resulting in\n // potentially racilly closing the socket before\n // OnResponseCompletedSuccessfully() is invoked.\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/set-header?Connection: Keep-Alive\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n\n connection_listener_.WaitUntilGotSocketFromResponseCompleted();\n EXPECT_TRUE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConcurrentFetches) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test1\",\n \"Raspberry chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test2\",\n \"Vanilla chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test3\",\n \"No chocolates\", \"text/plain\", HTTP_NOT_FOUND));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate1;\n std::unique_ptr<URLRequest> request1(\n context_.CreateRequest(server_->GetURL(\"/test1\"), DEFAULT_PRIORITY,\n &delegate1, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate2;\n std::unique_ptr<URLRequest> request2(\n context_.CreateRequest(server_->GetURL(\"/test2\"), DEFAULT_PRIORITY,\n &delegate2, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate3;\n std::unique_ptr<URLRequest> request3(\n context_.CreateRequest(server_->GetURL(\"/test3\"), DEFAULT_PRIORITY,\n &delegate3, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n // Fetch the three URLs concurrently. Have to manually create RunLoops when\n // running multiple requests simultaneously, to avoid the deprecated\n // RunUntilIdle() path.\n base::RunLoop run_loop1;\n base::RunLoop run_loop2;\n base::RunLoop run_loop3;\n delegate1.set_on_complete(run_loop1.QuitClosure());\n delegate2.set_on_complete(run_loop2.QuitClosure());\n delegate3.set_on_complete(run_loop3.QuitClosure());\n request1->Start();\n request2->Start();\n request3->Start();\n run_loop1.Run();\n run_loop2.Run();\n run_loop3.Run();\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request1->response_headers());\n EXPECT_EQ(HTTP_OK, request1->response_headers()->response_code());\n EXPECT_EQ(\"Raspberry chocolate\", delegate1.data_received());\n std::string content_type1;\n ASSERT_TRUE(request1->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type1));\n EXPECT_EQ(\"text/html\", content_type1);\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request2->response_headers());\n EXPECT_EQ(HTTP_OK, request2->response_headers()->response_code());\n EXPECT_EQ(\"Vanilla chocolate\", delegate2.data_received());\n std::string content_type2;\n ASSERT_TRUE(request2->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type2));\n EXPECT_EQ(\"text/html\", content_type2);\n\n EXPECT_EQ(net::OK, delegate3.request_status());\n ASSERT_TRUE(request3->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request3->response_headers()->response_code());\n EXPECT_EQ(\"No chocolates\", delegate3.data_received());\n std::string content_type3;\n ASSERT_TRUE(request3->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type3));\n EXPECT_EQ(\"text/plain\", content_type3);\n}\n\nnamespace {\n\nclass CancelRequestDelegate : public TestDelegate {\n public:\n CancelRequestDelegate() { set_on_complete(base::DoNothing()); }\n\n CancelRequestDelegate(const CancelRequestDelegate&) = delete;\n CancelRequestDelegate& operator=(const CancelRequestDelegate&) = delete;\n\n ~CancelRequestDelegate() override = default;\n\n void OnResponseStarted(URLRequest* request, int net_error) override {\n TestDelegate::OnResponseStarted(request, net_error);\n base::ThreadTaskRunnerHandle::Get()->PostDelayedTask(\n FROM_HERE, run_loop_.QuitClosure(), base::Seconds(1));\n }\n\n void WaitUntilDone() { run_loop_.Run(); }\n\n private:\n base::RunLoop run_loop_;\n};\n\nclass InfiniteResponse : public BasicHttpResponse {\n public:\n InfiniteResponse() = default;\n\n InfiniteResponse(const InfiniteResponse&) = delete;\n InfiniteResponse& operator=(const InfiniteResponse&) = delete;\n\n void SendResponse(base::WeakPtr<HttpResponseDelegate> delegate) override {\n delegate->SendResponseHeaders(code(), GetHttpReasonPhrase(code()),\n BuildHeaders());\n SendInfinite(delegate);\n }\n\n private:\n void SendInfinite(base::WeakPtr<HttpResponseDelegate> delegate) {\n delegate->SendContents(\"echo\", base::DoNothing());\n base::ThreadTaskRunnerHandle::Get()->PostTask(\n FROM_HERE, base::BindOnce(&InfiniteResponse::SendInfinite,\n weak_ptr_factory_.GetWeakPtr(), delegate));\n }\n\n base::WeakPtrFactory<InfiniteResponse> weak_ptr_factory_{this};\n};\n\nstd::unique_ptr<HttpResponse> HandleInfiniteRequest(\n const HttpRequest& request) {\n return std::make_unique<InfiniteResponse>();\n}\n\n} // anonymous namespace\n\n// Tests the case the connection is closed while the server is sending a\n// response. May non-deterministically end up at one of three paths\n// (Discover the close event synchronously, asynchronously, or server\n// shutting down before it is discovered).\nTEST_P(EmbeddedTestServerTest, CloseDuringWrite) {\n CancelRequestDelegate cancel_delegate;\n cancel_delegate.set_cancel_in_response_started(true);\n server_->RegisterRequestHandler(\n base::BindRepeating(&HandlePrefixedRequest, \"/infinite\",\n base::BindRepeating(&HandleInfiniteRequest)));\n ASSERT_TRUE(server_->Start());\n\n std::unique_ptr<URLRequest> request =\n context_.CreateRequest(server_->GetURL(\"/infinite\"), DEFAULT_PRIORITY,\n &cancel_delegate, TRAFFIC_ANNOTATION_FOR_TESTS);\n request->Start();\n cancel_delegate.WaitUntilDone();\n}\n\nconst struct CertificateValuesEntry {\n const EmbeddedTestServer::ServerCertificate server_cert;\n const bool is_expired;\n const char* common_name;\n const char* issuer_common_name;\n size_t certs_count;\n} kCertificateValuesEntry[] = {\n {EmbeddedTestServer::CERT_OK, false, \"127.0.0.1\", \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_OK_BY_INTERMEDIATE, false, \"127.0.0.1\",\n \"Test Intermediate CA\", 2},\n {EmbeddedTestServer::CERT_MISMATCHED_NAME, false, \"127.0.0.1\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_COMMON_NAME_IS_DOMAIN, false, \"localhost\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_EXPIRED, true, \"127.0.0.1\", \"Test Root CA\", 1},\n};\n\nTEST_P(EmbeddedTestServerTest, GetCertificate) {\n if (GetParam().type != EmbeddedTestServer::TYPE_HTTPS)\n return;\n\n for (const auto& cert_entry : kCertificateValuesEntry) {\n SCOPED_TRACE(cert_entry.server_cert);\n server_->SetSSLConfig(cert_entry.server_cert);\n scoped_refptr<X509Certificate> cert = server_->GetCertificate();\n ASSERT_TRUE(cert);\n EXPECT_EQ(cert->HasExpired(), cert_entry.is_expired);\n EXPECT_EQ(cert->subject().common_name, cert_entry.common_name);\n EXPECT_EQ(cert->issuer().common_name, cert_entry.issuer_common_name);\n EXPECT_EQ(cert->intermediate_buffers().size(), cert_entry.certs_count - 1);\n }\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrame) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"\", \"foo\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_OK);\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"foo\", delegate.transports().back().accept_ch_frame);\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrameDifferentOrigins) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"a.test\", \"a\");\n server_->SetAlpsAcceptCH(\"b.test\", \"b\");\n server_->SetAlpsAcceptCH(\"c.b.test\", \"c\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_TEST_NAMES);\n\n ASSERT_TRUE(server_->Start());\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"a.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"a\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"b.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"b\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"c.b.test\", \"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"c\", delegate.transports().back().accept_ch_frame);\n }\n}\n\nINSTANTIATE_TEST_SUITE_P(EmbeddedTestServerTestInstantiation,\n EmbeddedTestServerTest,\n testing::ValuesIn(EmbeddedTestServerConfigs()));\n// Below test exercises EmbeddedTestServer's ability to cope with the situation\n// where there is no MessageLoop available on the thread at EmbeddedTestServer\n// initialization and/or destruction.\n\ntypedef std::tuple<bool, bool, EmbeddedTestServerConfig> ThreadingTestParams;\n\nclass EmbeddedTestServerThreadingTest\n : public testing::TestWithParam<ThreadingTestParams>,\n public WithTaskEnvironment {};\n\nclass EmbeddedTestServerThreadingTestDelegate\n : public base::PlatformThread::Delegate {\n public:\n EmbeddedTestServerThreadingTestDelegate(\n bool message_loop_present_on_initialize,\n bool message_loop_present_on_shutdown,\n EmbeddedTestServerConfig config)\n : message_loop_present_on_initialize_(message_loop_present_on_initialize),\n message_loop_present_on_shutdown_(message_loop_present_on_shutdown),\n type_(config.type),\n protocol_(config.protocol) {}\n\n EmbeddedTestServerThreadingTestDelegate(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n EmbeddedTestServerThreadingTestDelegate& operator=(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n\n // base::PlatformThread::Delegate:\n void ThreadMain() override {\n std::unique_ptr<base::SingleThreadTaskExecutor> executor;\n if (message_loop_present_on_initialize_) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n // Create the test server instance.\n EmbeddedTestServer server(type_, protocol_);\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n ASSERT_TRUE(server.Start());\n\n // Make a request and wait for the reply.\n if (!executor) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n auto context = std::make_unique<TestURLRequestContext>();\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context->CreateRequest(server.GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n request.reset();\n // Flush the socket pool on the same thread by destroying the context.\n context.reset();\n\n // Shut down.\n if (message_loop_present_on_shutdown_)\n executor.reset();\n\n ASSERT_TRUE(server.ShutdownAndWaitUntilComplete());\n }\n\n private:\n const bool message_loop_present_on_initialize_;\n const bool message_loop_present_on_shutdown_;\n const EmbeddedTestServer::Type type_;\n const HttpConnection::Protocol protocol_;\n};\n\nTEST_P(EmbeddedTestServerThreadingTest, RunTest) {\n // The actual test runs on a separate thread so it can screw with the presence\n // of a MessageLoop - the test suite already sets up a MessageLoop for the\n // main test thread.\n base::PlatformThreadHandle thread_handle;\n EmbeddedTestServerThreadingTestDelegate delegate(std::get<0>(GetParam()),\n std::get<1>(GetParam()),\n std::get<2>(GetParam()));\n ASSERT_TRUE(base::PlatformThread::Create(0, &delegate, &thread_handle));\n base::PlatformThread::Join(thread_handle);\n}\n\nINSTANTIATE_TEST_SUITE_P(\n EmbeddedTestServerThreadingTestInstantiation,\n EmbeddedTestServerThreadingTest,\n testing::Combine(testing::Bool(),\n testing::Bool(),\n testing::ValuesIn(EmbeddedTestServerConfigs())));\n\n} // namespace test_server\n} // namespace net\n" + }, + "written_data": { + "net/test/embedded_test_server/embedded_test_server_unittest.cc": "// Copyright (c) 2012 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include \"net/test/embedded_test_server/embedded_test_server.h\"\n\n#include <tuple>\n#include <utility>\n\n#include \"base/bind.h\"\n#include \"base/callback_helpers.h\"\n#include \"base/macros.h\"\n#include \"base/memory/weak_ptr.h\"\n#include \"base/message_loop/message_pump_type.h\"\n#include \"base/path_service.h\"\n#include \"base/run_loop.h\"\n#include \"base/strings/stringprintf.h\"\n#include \"base/synchronization/lock.h\"\n#include \"base/task/single_thread_task_executor.h\"\n#include \"base/task/single_thread_task_runner.h\"\n#include \"base/threading/thread.h\"\n#include \"base/threading/thread_task_runner_handle.h\"\n#include \"build/build_config.h\"\n#include \"net/base/test_completion_callback.h\"\n#include \"net/http/http_response_headers.h\"\n#include \"net/log/net_log_source.h\"\n#include \"net/socket/client_socket_factory.h\"\n#include \"net/socket/stream_socket.h\"\n#include \"net/test/embedded_test_server/embedded_test_server_connection_listener.h\"\n#include \"net/test/embedded_test_server/http_request.h\"\n#include \"net/test/embedded_test_server/http_response.h\"\n#include \"net/test/embedded_test_server/request_handler_util.h\"\n#include \"net/test/gtest_util.h\"\n#include \"net/test/test_with_task_environment.h\"\n#include \"net/traffic_annotation/network_traffic_annotation_test_helper.h\"\n#include \"net/url_request/url_request.h\"\n#include \"net/url_request/url_request_test_util.h\"\n#include \"testing/gmock/include/gmock/gmock.h\"\n#include \"testing/gtest/include/gtest/gtest.h\"\n\nusing net::test::IsOk;\n\nnamespace net {\nnamespace test_server {\n\n// Gets notified by the EmbeddedTestServer on incoming connections being\n// accepted, read from, or closed.\nclass TestConnectionListener\n : public net::test_server::EmbeddedTestServerConnectionListener {\n public:\n TestConnectionListener()\n : socket_accepted_count_(0),\n did_read_from_socket_(false),\n did_get_socket_on_complete_(false),\n task_runner_(base::ThreadTaskRunnerHandle::Get()) {}\n\n TestConnectionListener(const TestConnectionListener&) = delete;\n TestConnectionListener& operator=(const TestConnectionListener&) = delete;\n\n ~TestConnectionListener() override = default;\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was accepted.\n std::unique_ptr<StreamSocket> AcceptedSocket(\n std::unique_ptr<StreamSocket> connection) override {\n base::AutoLock lock(lock_);\n ++socket_accepted_count_;\n accept_loop_.Quit();\n return connection;\n }\n\n // Get called from the EmbeddedTestServer thread to be notified that\n // a connection was read from.\n void ReadFromSocket(const net::StreamSocket& connection, int rv) override {\n base::AutoLock lock(lock_);\n did_read_from_socket_ = true;\n }\n\n void OnResponseCompletedSuccessfully(\n std::unique_ptr<StreamSocket> socket) override {\n base::AutoLock lock(lock_);\n did_get_socket_on_complete_ = socket && socket->IsConnected();\n complete_loop_.Quit();\n }\n\n void WaitUntilFirstConnectionAccepted() { accept_loop_.Run(); }\n\n void WaitUntilGotSocketFromResponseCompleted() { complete_loop_.Run(); }\n\n size_t SocketAcceptedCount() const {\n base::AutoLock lock(lock_);\n return socket_accepted_count_;\n }\n\n bool DidReadFromSocket() const {\n base::AutoLock lock(lock_);\n return did_read_from_socket_;\n }\n\n bool DidGetSocketOnComplete() const {\n base::AutoLock lock(lock_);\n return did_get_socket_on_complete_;\n }\n\n private:\n size_t socket_accepted_count_;\n bool did_read_from_socket_;\n bool did_get_socket_on_complete_;\n\n base::RunLoop accept_loop_;\n base::RunLoop complete_loop_;\n scoped_refptr<base::SingleThreadTaskRunner> task_runner_;\n\n mutable base::Lock lock_;\n};\n\nstruct EmbeddedTestServerConfig {\n EmbeddedTestServer::Type type;\n HttpConnection::Protocol protocol;\n};\n\nstd::vector<EmbeddedTestServerConfig> EmbeddedTestServerConfigs() {\n return {\n {EmbeddedTestServer::TYPE_HTTP, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp1},\n {EmbeddedTestServer::TYPE_HTTPS, HttpConnection::Protocol::kHttp2},\n };\n}\n\nclass EmbeddedTestServerTest\n : public testing::TestWithParam<EmbeddedTestServerConfig>,\n public WithTaskEnvironment {\n public:\n EmbeddedTestServerTest() {}\n\n void SetUp() override {\n server_ = std::make_unique<EmbeddedTestServer>(GetParam().type,\n GetParam().protocol);\n server_->AddDefaultHandlers();\n server_->SetConnectionListener(&connection_listener_);\n }\n\n void TearDown() override {\n if (server_->Started())\n ASSERT_TRUE(server_->ShutdownAndWaitUntilComplete());\n }\n\n // Handles |request| sent to |path| and returns the response per |content|,\n // |content type|, and |code|. Saves the request URL for verification.\n std::unique_ptr<HttpResponse> HandleRequest(const std::string& path,\n const std::string& content,\n const std::string& content_type,\n HttpStatusCode code,\n const HttpRequest& request) {\n request_relative_url_ = request.relative_url;\n request_absolute_url_ = request.GetURL();\n\n if (request_absolute_url_.path() == path) {\n auto http_response = std::make_unique<BasicHttpResponse>();\n http_response->set_code(code);\n http_response->set_content(content);\n http_response->set_content_type(content_type);\n return http_response;\n }\n\n return nullptr;\n }\n\n protected:\n std::string request_relative_url_;\n GURL request_absolute_url_;\n TestURLRequestContext context_;\n TestConnectionListener connection_listener_;\n std::unique_ptr<EmbeddedTestServer> server_;\n base::OnceClosure quit_run_loop_;\n};\n\nTEST_P(EmbeddedTestServerTest, GetBaseURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/\", server_->port()),\n server_->base_url().spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURL) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(base::StringPrintf(\"http://127.0.0.1:%u/path?query=foo\",\n server_->port()),\n server_->GetURL(\"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, GetURLWithHostname) {\n ASSERT_TRUE(server_->Start());\n if (GetParam().type == EmbeddedTestServer::TYPE_HTTPS) {\n EXPECT_EQ(base::StringPrintf(\"https://foo.com:%d/path?query=foo\",\n server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n } else {\n EXPECT_EQ(\n base::StringPrintf(\"http://foo.com:%d/path?query=foo\", server_->port()),\n server_->GetURL(\"foo.com\", \"/path?query=foo\").spec());\n }\n}\n\nTEST_P(EmbeddedTestServerTest, RegisterRequestHandler) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test\",\n \"<b>Worked!</b>\", \"text/html\", HTTP_OK));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<b>Worked!</b>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n\n EXPECT_EQ(\"/test?q=foo\", request_relative_url_);\n EXPECT_EQ(server_->GetURL(\"/test?q=foo\"), request_absolute_url_);\n}\n\nTEST_P(EmbeddedTestServerTest, ServeFilesFromDirectory) {\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/test.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, MockHeadersWithoutCRLF) {\n // Messing with raw headers isn't compatible with HTTP/2\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n server_->ServeFilesFromDirectory(\n src_dir.AppendASCII(\"net\").AppendASCII(\"data\").AppendASCII(\n \"embedded_test_server\"));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/mock-headers-without-crlf.html\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_OK, request->response_headers()->response_code());\n EXPECT_EQ(\"<p>Hello World!</p>\", delegate.data_received());\n std::string content_type;\n ASSERT_TRUE(request->response_headers()->GetNormalizedHeader(\"Content-Type\",\n &content_type));\n EXPECT_EQ(\"text/html\", content_type);\n}\n\nTEST_P(EmbeddedTestServerTest, DefaultNotFoundResponse) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(net::OK, delegate.request_status());\n ASSERT_TRUE(request->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request->response_headers()->response_code());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerAccept) {\n ASSERT_TRUE(server_->Start());\n\n net::AddressList address_list;\n EXPECT_TRUE(server_->GetAddressList(&address_list));\n\n std::unique_ptr<StreamSocket> socket =\n ClientSocketFactory::GetDefaultFactory()->CreateTransportClientSocket(\n address_list, nullptr, nullptr, NetLog::Get(), NetLogSource());\n TestCompletionCallback callback;\n ASSERT_THAT(callback.GetResult(socket->Connect(callback.callback())), IsOk());\n\n connection_listener_.WaitUntilFirstConnectionAccepted();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_FALSE(connection_listener_.DidReadFromSocket());\n EXPECT_FALSE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConnectionListenerRead) {\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n}\n\n// TODO(http://crbug.com/1166868): Flaky on ChromeOS.\n#if defined(OS_CHROMEOS) || defined(OS_LINUX)\n#define MAYBE_ConnectionListenerComplete DISABLED_ConnectionListenerComplete\n#else\n#define MAYBE_ConnectionListenerComplete ConnectionListenerComplete\n#endif\nTEST_P(EmbeddedTestServerTest, MAYBE_ConnectionListenerComplete) {\n // OnResponseCompletedSuccessfully() makes the assumption that a connection is\n // \"finished\" before the socket is closed, and in the case of HTTP/2 this is\n // not supported\n if (GetParam().protocol == HttpConnection::Protocol::kHttp2)\n return;\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n // Need to send a Keep-Alive response header since the EmbeddedTestServer only\n // invokes OnResponseCompletedSuccessfully() if the socket is still open, and\n // the network stack will close the socket if not reuable, resulting in\n // potentially racilly closing the socket before\n // OnResponseCompletedSuccessfully() is invoked.\n std::unique_ptr<URLRequest> request(context_.CreateRequest(\n server_->GetURL(\"/set-header?Connection: Keep-Alive\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, connection_listener_.SocketAcceptedCount());\n EXPECT_TRUE(connection_listener_.DidReadFromSocket());\n\n connection_listener_.WaitUntilGotSocketFromResponseCompleted();\n EXPECT_TRUE(connection_listener_.DidGetSocketOnComplete());\n}\n\nTEST_P(EmbeddedTestServerTest, ConcurrentFetches) {\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test1\",\n \"Raspberry chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test2\",\n \"Vanilla chocolate\", \"text/html\", HTTP_OK));\n server_->RegisterRequestHandler(base::BindRepeating(\n &EmbeddedTestServerTest::HandleRequest, base::Unretained(this), \"/test3\",\n \"No chocolates\", \"text/plain\", HTTP_NOT_FOUND));\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate1;\n std::unique_ptr<URLRequest> request1(\n context_.CreateRequest(server_->GetURL(\"/test1\"), DEFAULT_PRIORITY,\n &delegate1, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate2;\n std::unique_ptr<URLRequest> request2(\n context_.CreateRequest(server_->GetURL(\"/test2\"), DEFAULT_PRIORITY,\n &delegate2, TRAFFIC_ANNOTATION_FOR_TESTS));\n TestDelegate delegate3;\n std::unique_ptr<URLRequest> request3(\n context_.CreateRequest(server_->GetURL(\"/test3\"), DEFAULT_PRIORITY,\n &delegate3, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n // Fetch the three URLs concurrently. Have to manually create RunLoops when\n // running multiple requests simultaneously, to avoid the deprecated\n // RunUntilIdle() path.\n base::RunLoop run_loop1;\n base::RunLoop run_loop2;\n base::RunLoop run_loop3;\n delegate1.set_on_complete(run_loop1.QuitClosure());\n delegate2.set_on_complete(run_loop2.QuitClosure());\n delegate3.set_on_complete(run_loop3.QuitClosure());\n request1->Start();\n request2->Start();\n request3->Start();\n run_loop1.Run();\n run_loop2.Run();\n run_loop3.Run();\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request1->response_headers());\n EXPECT_EQ(HTTP_OK, request1->response_headers()->response_code());\n EXPECT_EQ(\"Raspberry chocolate\", delegate1.data_received());\n std::string content_type1;\n ASSERT_TRUE(request1->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type1));\n EXPECT_EQ(\"text/html\", content_type1);\n\n EXPECT_EQ(net::OK, delegate2.request_status());\n ASSERT_TRUE(request2->response_headers());\n EXPECT_EQ(HTTP_OK, request2->response_headers()->response_code());\n EXPECT_EQ(\"Vanilla chocolate\", delegate2.data_received());\n std::string content_type2;\n ASSERT_TRUE(request2->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type2));\n EXPECT_EQ(\"text/html\", content_type2);\n\n EXPECT_EQ(net::OK, delegate3.request_status());\n ASSERT_TRUE(request3->response_headers());\n EXPECT_EQ(HTTP_NOT_FOUND, request3->response_headers()->response_code());\n EXPECT_EQ(\"No chocolates\", delegate3.data_received());\n std::string content_type3;\n ASSERT_TRUE(request3->response_headers()->GetNormalizedHeader(\n \"Content-Type\", &content_type3));\n EXPECT_EQ(\"text/plain\", content_type3);\n}\n\nnamespace {\n\nclass CancelRequestDelegate : public TestDelegate {\n public:\n CancelRequestDelegate() { set_on_complete(base::DoNothing()); }\n\n CancelRequestDelegate(const CancelRequestDelegate&) = delete;\n CancelRequestDelegate& operator=(const CancelRequestDelegate&) = delete;\n\n ~CancelRequestDelegate() override = default;\n\n void OnResponseStarted(URLRequest* request, int net_error) override {\n TestDelegate::OnResponseStarted(request, net_error);\n base::ThreadTaskRunnerHandle::Get()->PostDelayedTask(\n FROM_HERE, run_loop_.QuitClosure(), base::Seconds(1));\n }\n\n void WaitUntilDone() { run_loop_.Run(); }\n\n private:\n base::RunLoop run_loop_;\n};\n\nclass InfiniteResponse : public BasicHttpResponse {\n public:\n InfiniteResponse() = default;\n\n InfiniteResponse(const InfiniteResponse&) = delete;\n InfiniteResponse& operator=(const InfiniteResponse&) = delete;\n\n void SendResponse(base::WeakPtr<HttpResponseDelegate> delegate) override {\n delegate->SendResponseHeaders(code(), GetHttpReasonPhrase(code()),\n BuildHeaders());\n SendInfinite(delegate);\n }\n\n private:\n void SendInfinite(base::WeakPtr<HttpResponseDelegate> delegate) {\n delegate->SendContents(\"echo\", base::DoNothing());\n base::ThreadTaskRunnerHandle::Get()->PostTask(\n FROM_HERE, base::BindOnce(&InfiniteResponse::SendInfinite,\n weak_ptr_factory_.GetWeakPtr(), delegate));\n }\n\n base::WeakPtrFactory<InfiniteResponse> weak_ptr_factory_{this};\n};\n\nstd::unique_ptr<HttpResponse> HandleInfiniteRequest(\n const HttpRequest& request) {\n return std::make_unique<InfiniteResponse>();\n}\n\n} // anonymous namespace\n\n// Tests the case the connection is closed while the server is sending a\n// response. May non-deterministically end up at one of three paths\n// (Discover the close event synchronously, asynchronously, or server\n// shutting down before it is discovered).\nTEST_P(EmbeddedTestServerTest, CloseDuringWrite) {\n CancelRequestDelegate cancel_delegate;\n cancel_delegate.set_cancel_in_response_started(true);\n server_->RegisterRequestHandler(\n base::BindRepeating(&HandlePrefixedRequest, \"/infinite\",\n base::BindRepeating(&HandleInfiniteRequest)));\n ASSERT_TRUE(server_->Start());\n\n std::unique_ptr<URLRequest> request =\n context_.CreateRequest(server_->GetURL(\"/infinite\"), DEFAULT_PRIORITY,\n &cancel_delegate, TRAFFIC_ANNOTATION_FOR_TESTS);\n request->Start();\n cancel_delegate.WaitUntilDone();\n}\n\nconst struct CertificateValuesEntry {\n const EmbeddedTestServer::ServerCertificate server_cert;\n const bool is_expired;\n const char* common_name;\n const char* issuer_common_name;\n size_t certs_count;\n} kCertificateValuesEntry[] = {\n {EmbeddedTestServer::CERT_OK, false, \"127.0.0.1\", \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_OK_BY_INTERMEDIATE, false, \"127.0.0.1\",\n \"Test Intermediate CA\", 2},\n {EmbeddedTestServer::CERT_MISMATCHED_NAME, false, \"127.0.0.1\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_COMMON_NAME_IS_DOMAIN, false, \"localhost\",\n \"Test Root CA\", 1},\n {EmbeddedTestServer::CERT_EXPIRED, true, \"127.0.0.1\", \"Test Root CA\", 1},\n};\n\nTEST_P(EmbeddedTestServerTest, GetCertificate) {\n if (GetParam().type != EmbeddedTestServer::TYPE_HTTPS)\n return;\n\n for (const auto& cert_entry : kCertificateValuesEntry) {\n SCOPED_TRACE(cert_entry.server_cert);\n server_->SetSSLConfig(cert_entry.server_cert);\n scoped_refptr<X509Certificate> cert = server_->GetCertificate();\n ASSERT_TRUE(cert);\n EXPECT_EQ(cert->HasExpired(), cert_entry.is_expired);\n EXPECT_EQ(cert->subject().common_name, cert_entry.common_name);\n EXPECT_EQ(cert->issuer().common_name, cert_entry.issuer_common_name);\n EXPECT_EQ(cert->intermediate_buffers().size(), cert_entry.certs_count - 1);\n }\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrame) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"\", \"foo\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_OK);\n\n ASSERT_TRUE(server_->Start());\n\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(\n context_.CreateRequest(server_->GetURL(\"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"foo\", delegate.transports().back().accept_ch_frame);\n}\n\nTEST_P(EmbeddedTestServerTest, AcceptCHFrameDifferentOrigins) {\n // The ACCEPT_CH frame is only supported for HTTP/2 connections\n if (GetParam().protocol == HttpConnection::Protocol::kHttp1)\n return;\n\n server_->SetAlpsAcceptCH(\"a.test\", \"a\");\n server_->SetAlpsAcceptCH(\"b.test\", \"b\");\n server_->SetAlpsAcceptCH(\"c.b.test\", \"c\");\n server_->SetSSLConfig(net::EmbeddedTestServer::CERT_TEST_NAMES);\n\n ASSERT_TRUE(server_->Start());\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"a.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"a\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"b.test\", \"/non-existent\"), DEFAULT_PRIORITY, &delegate,\n TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"b\", delegate.transports().back().accept_ch_frame);\n }\n\n {\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request_a(context_.CreateRequest(\n server_->GetURL(\"c.b.test\", \"/non-existent\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n request_a->Start();\n delegate.RunUntilComplete();\n\n EXPECT_EQ(1u, delegate.transports().size());\n EXPECT_EQ(\"c\", delegate.transports().back().accept_ch_frame);\n }\n}\n\nINSTANTIATE_TEST_SUITE_P(EmbeddedTestServerTestInstantiation,\n EmbeddedTestServerTest,\n testing::ValuesIn(EmbeddedTestServerConfigs()));\n// Below test exercises EmbeddedTestServer's ability to cope with the situation\n// where there is no MessageLoop available on the thread at EmbeddedTestServer\n// initialization and/or destruction.\n\ntypedef std::tuple<bool, bool, EmbeddedTestServerConfig> ThreadingTestParams;\n\nclass EmbeddedTestServerThreadingTest\n : public testing::TestWithParam<ThreadingTestParams>,\n public WithTaskEnvironment {};\n\nclass EmbeddedTestServerThreadingTestDelegate\n : public base::PlatformThread::Delegate {\n public:\n EmbeddedTestServerThreadingTestDelegate(\n bool message_loop_present_on_initialize,\n bool message_loop_present_on_shutdown,\n EmbeddedTestServerConfig config)\n : message_loop_present_on_initialize_(message_loop_present_on_initialize),\n message_loop_present_on_shutdown_(message_loop_present_on_shutdown),\n type_(config.type),\n protocol_(config.protocol) {}\n\n EmbeddedTestServerThreadingTestDelegate(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n EmbeddedTestServerThreadingTestDelegate& operator=(\n const EmbeddedTestServerThreadingTestDelegate&) = delete;\n\n // base::PlatformThread::Delegate:\n void ThreadMain() override {\n std::unique_ptr<base::SingleThreadTaskExecutor> executor;\n if (message_loop_present_on_initialize_) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n // Create the test server instance.\n EmbeddedTestServer server(type_, protocol_);\n base::FilePath src_dir;\n ASSERT_TRUE(base::PathService::Get(base::DIR_SOURCE_ROOT, &src_dir));\n ASSERT_TRUE(server.Start());\n\n // Make a request and wait for the reply.\n if (!executor) {\n executor = std::make_unique<base::SingleThreadTaskExecutor>(\n base::MessagePumpType::IO);\n }\n\n auto context = std::make_unique<TestURLRequestContext>();\n TestDelegate delegate;\n std::unique_ptr<URLRequest> request(\n context->CreateRequest(server.GetURL(\"/test?q=foo\"), DEFAULT_PRIORITY,\n &delegate, TRAFFIC_ANNOTATION_FOR_TESTS));\n\n request->Start();\n delegate.RunUntilComplete();\n request.reset();\n // Flush the socket pool on the same thread by destroying the context.\n context.reset();\n\n // Shut down.\n if (message_loop_present_on_shutdown_)\n executor.reset();\n\n ASSERT_TRUE(server.ShutdownAndWaitUntilComplete());\n }\n\n private:\n const bool message_loop_present_on_initialize_;\n const bool message_loop_present_on_shutdown_;\n const EmbeddedTestServer::Type type_;\n const HttpConnection::Protocol protocol_;\n};\n\nTEST_P(EmbeddedTestServerThreadingTest, RunTest) {\n // The actual test runs on a separate thread so it can screw with the presence\n // of a MessageLoop - the test suite already sets up a MessageLoop for the\n // main test thread.\n base::PlatformThreadHandle thread_handle;\n EmbeddedTestServerThreadingTestDelegate delegate(std::get<0>(GetParam()),\n std::get<1>(GetParam()),\n std::get<2>(GetParam()));\n ASSERT_TRUE(base::PlatformThread::Create(0, &delegate, &thread_handle));\n base::PlatformThread::Join(thread_handle);\n}\n\nINSTANTIATE_TEST_SUITE_P(\n EmbeddedTestServerThreadingTestInstantiation,\n EmbeddedTestServerThreadingTest,\n testing::Combine(testing::Bool(),\n testing::Bool(),\n testing::ValuesIn(EmbeddedTestServerConfigs())));\n\n} // namespace test_server\n} // namespace net\n" + } +} \ No newline at end of file diff --git a/tools/disable_tests/tests/parameterised-gtest.json b/tools/disable_tests/tests/parameterised-gtest.json new file mode 100644 index 0000000000000..b1374ce6cece0 --- /dev/null +++ b/tools/disable_tests/tests/parameterised-gtest.json @@ -0,0 +1,13 @@ +{ + "args": [ + "./disable", + "All/TabCapturePerformanceTest.Performance/0" + ], + "requests": "{\"GetTestResultHistory/{\\\"realm\\\": \\\"chromium:ci\\\", \\\"testIdRegexp\\\": \\\"ninja://.*/TabCapturePerformanceTest.Performance(/.*)?\\\", \\\"pageSize\\\": 1}\": \"{\\\"entries\\\":[{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:43:56.096657Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1330f25e1b11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.0/results/d808909b-00125\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.0\\\",\\\"resultId\\\":\\\"d808909b-00125\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Mac Release (Intel)\\\",\\\"gpu\\\":\\\"8086\\\",\\\"os\\\":\\\"Mac-11.5.2\\\",\\\"test_suite\\\":\\\"tab_capture_end2end_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"SKIP\\\",\\\"variantHash\\\":\\\"794f8064c6f38e86\\\"}}],\\\"nextPageToken\\\":\\\"CgJ0cwoWMDhmY2M1Yjc4YzA2MTBlOGJjOGIyZQoBMQ==\\\"}\\n\", \"GetTestResultHistory/{\\\"realm\\\": \\\"chromium:ci\\\", \\\"testIdRegexp\\\": \\\"ninja://.*/TabCapturePerformanceTest.Performance(/.*)?\\\", \\\"pageSize\\\": 10}\": \"{\\\"entries\\\":[{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:43:56.096657Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1330f25e1b11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.0/results/d808909b-00125\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.0\\\",\\\"resultId\\\":\\\"d808909b-00125\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Mac Release (Intel)\\\",\\\"gpu\\\":\\\"8086\\\",\\\"os\\\":\\\"Mac-11.5.2\\\",\\\"test_suite\\\":\\\"tab_capture_end2end_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"SKIP\\\",\\\"variantHash\\\":\\\"794f8064c6f38e86\\\"}},{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:43:56.096657Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1330f25e1b11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.1/results/d808909b-00126\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.1\\\",\\\"resultId\\\":\\\"d808909b-00126\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Mac Release (Intel)\\\",\\\"gpu\\\":\\\"8086\\\",\\\"os\\\":\\\"Mac-11.5.2\\\",\\\"test_suite\\\":\\\"tab_capture_end2end_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"SKIP\\\",\\\"variantHash\\\":\\\"794f8064c6f38e86\\\"}},{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:43:56.096657Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1330f25e1b11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.2/results/d808909b-00127\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.2\\\",\\\"resultId\\\":\\\"d808909b-00127\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Mac Release (Intel)\\\",\\\"gpu\\\":\\\"8086\\\",\\\"os\\\":\\\"Mac-11.5.2\\\",\\\"test_suite\\\":\\\"tab_capture_end2end_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"SKIP\\\",\\\"variantHash\\\":\\\"794f8064c6f38e86\\\"}},{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:43:56.096657Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1330f25e1b11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.3/results/d808909b-00128\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.3\\\",\\\"resultId\\\":\\\"d808909b-00128\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Mac Release (Intel)\\\",\\\"gpu\\\":\\\"8086\\\",\\\"os\\\":\\\"Mac-11.5.2\\\",\\\"test_suite\\\":\\\"tab_capture_end2end_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"SKIP\\\",\\\"variantHash\\\":\\\"794f8064c6f38e86\\\"}},{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:39:57.396077Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b117941544911/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.1/results/ec67d528-01229\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.1\\\",\\\"resultId\\\":\\\"ec67d528-01229\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux Tests (Wayland)\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"5.515s\\\",\\\"variantHash\\\":\\\"9a92d462d0cb4c16\\\"}},{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:38:52.937714Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b101af1c21711/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.0/results/9518f313-01126\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.0\\\",\\\"resultId\\\":\\\"9518f313-01126\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"linux-lacros-tester-rel\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"7.110s\\\",\\\"variantHash\\\":\\\"2c128719a50c3f90\\\"}},{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:38:52.937714Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b101ce4d30811/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.1/results/60a45f55-01179\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.1\\\",\\\"resultId\\\":\\\"60a45f55-01179\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"linux-lacros-tester-rel\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"5.510s\\\",\\\"variantHash\\\":\\\"2c128719a50c3f90\\\"}},{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:38:52.937714Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1012e7271a11/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.2/results/59a65b96-01153\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.2\\\",\\\"resultId\\\":\\\"59a65b96-01153\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"linux-lacros-tester-rel\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"5.521s\\\",\\\"variantHash\\\":\\\"2c128719a50c3f90\\\"}},{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:38:52.937714Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1022012d9111/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.3/results/2bfc6a0b-01184\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.3\\\",\\\"resultId\\\":\\\"2bfc6a0b-01184\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"linux-lacros-tester-rel\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"5.777s\\\",\\\"variantHash\\\":\\\"2c128719a50c3f90\\\"}},{\\\"invocationTimestamp\\\":\\\"2021-11-12T03:38:49.854668Z\\\",\\\"result\\\":{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b1064fe7af511/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.0/results/b44e2e51-01118\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.0\\\",\\\"resultId\\\":\\\"b44e2e51-01118\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Network Service Linux\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"network_service_web_request_proxy_browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"duration\\\":\\\"5.243s\\\",\\\"variantHash\\\":\\\"6f4349d4e2dc2eff\\\"}}],\\\"nextPageToken\\\":\\\"CgJ0cwoYMDhjOWMzYjc4YzA2MTBlMGU1YzQ5NzAzCgEx\\\"}\\n\", \"GetTestResult/{\\\"name\\\": \\\"invocations/task-chromium-swarm.appspot.com-572b117941544911/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.1/results/ec67d528-01229\\\"}\": \"{\\\"name\\\":\\\"invocations/task-chromium-swarm.appspot.com-572b117941544911/tests/ninja:%2F%2Fchrome%2Ftest:browser_tests%2FTabCapturePerformanceTest.Performance%2FAll.1/results/ec67d528-01229\\\",\\\"testId\\\":\\\"ninja://chrome/test:browser_tests/TabCapturePerformanceTest.Performance/All.1\\\",\\\"resultId\\\":\\\"ec67d528-01229\\\",\\\"variant\\\":{\\\"def\\\":{\\\"builder\\\":\\\"Linux Tests (Wayland)\\\",\\\"os\\\":\\\"Ubuntu-18.04\\\",\\\"test_suite\\\":\\\"browser_tests\\\"}},\\\"expected\\\":true,\\\"status\\\":\\\"PASS\\\",\\\"summaryHtml\\\":\\\"\\\\u003cp\\\\u003e\\\\u003ctext-artifact artifact-id=\\\\\\\"snippet\\\\\\\" /\\\\u003e\\\\u003c/p\\\\u003e\\\",\\\"duration\\\":\\\"5.515s\\\",\\\"tags\\\":[{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"CPU_64_BITS\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"MODE_RELEASE\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_LINUX\\\"},{\\\"key\\\":\\\"gtest_global_tag\\\",\\\"value\\\":\\\"OS_POSIX\\\"},{\\\"key\\\":\\\"gtest_status\\\",\\\"value\\\":\\\"SUCCESS\\\"},{\\\"key\\\":\\\"lossless_snippet\\\",\\\"value\\\":\\\"true\\\"},{\\\"key\\\":\\\"monorail_component\\\",\\\"value\\\":\\\"Internals\\\\u003eMedia\\\\u003eSurfaceCapture\\\"},{\\\"key\\\":\\\"orig_format\\\",\\\"value\\\":\\\"chromium_gtest\\\"},{\\\"key\\\":\\\"step_name\\\",\\\"value\\\":\\\"browser_tests on Ubuntu-18.04\\\"},{\\\"key\\\":\\\"team_email\\\",\\\"value\\\":\\\"media-capture-dev@chromium.org\\\"},{\\\"key\\\":\\\"test_name\\\",\\\"value\\\":\\\"All/TabCapturePerformanceTest.Performance/1\\\"}],\\\"variantHash\\\":\\\"9a92d462d0cb4c16\\\",\\\"testMetadata\\\":{\\\"name\\\":\\\"All/TabCapturePerformanceTest.Performance/1\\\",\\\"location\\\":{\\\"repo\\\":\\\"https://chromium.googlesource.com/chromium/src\\\",\\\"fileName\\\":\\\"//chrome/browser/extensions/api/tab_capture/tab_capture_performancetest.cc\\\",\\\"line\\\":294}}}\\n\"}", + "read_data": { + "chrome/browser/extensions/api/tab_capture/tab_capture_performancetest.cc": "// Copyright 2013 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include <cmath>\n#include <unordered_map>\n\n#include \"base/command_line.h\"\n#include \"base/files/file_util.h\"\n#include \"base/strings/stringprintf.h\"\n#include \"base/test/trace_event_analyzer.h\"\n#include \"build/build_config.h\"\n#include \"build/chromeos_buildflags.h\"\n#include \"chrome/browser/extensions/api/tab_capture/tab_capture_performance_test_base.h\"\n#include \"chrome/browser/extensions/extension_service.h\"\n#include \"chrome/browser/profiles/profile.h\"\n#include \"chrome/browser/ui/exclusive_access/fullscreen_controller.h\"\n#include \"chrome/common/chrome_switches.h\"\n#include \"chrome/test/base/in_process_browser_test.h\"\n#include \"chrome/test/base/test_launcher_utils.h\"\n#include \"chrome/test/base/test_switches.h\"\n#include \"chrome/test/base/tracing.h\"\n#include \"content/public/common/content_switches.h\"\n#include \"content/public/test/browser_test.h\"\n#include \"extensions/common/switches.h\"\n#include \"extensions/test/extension_test_message_listener.h\"\n#include \"testing/gtest/include/gtest/gtest.h\"\n#include \"testing/perf/perf_result_reporter.h\"\n#include \"ui/compositor/compositor_switches.h\"\n#include \"ui/gl/gl_switches.h\"\n\nnamespace {\n\n// Number of events to trim from the beginning and end. These events don't\n// contribute anything toward stable measurements: A brief moment of startup\n// \"jank\" is acceptable, and shutdown may result in missing events (since\n// render widget draws may stop before capture stops).\nconstexpr int kTrimEvents = 24; // 1 sec at 24fps, or 0.4 sec at 60 fps.\n\n// Minimum number of events required for a reasonable analysis.\nconstexpr int kMinDataPointsForFullRun = 100; // ~5 sec at 24fps.\n\n// Minimum number of events required for data analysis in a non-performance run.\nconstexpr int kMinDataPointsForQuickRun = 3;\n\nconstexpr char kMetricPrefixTabCapture[] = \"TabCapture.\";\nconstexpr char kMetricCaptureMs[] = \"capture\";\nconstexpr char kMetricCaptureFailRatePercent[] = \"capture_fail_rate\";\nconstexpr char kMetricCaptureLatencyMs[] = \"capture_latency\";\nconstexpr char kMetricRendererFrameDrawMs[] = \"renderer_frame_draw\";\n\nconstexpr char kEventCapture[] = \"Capture\";\nconstexpr char kEventSuffixFailRate[] = \"FailRate\";\nconstexpr char kEventSuffixLatency[] = \"Latency\";\nconstexpr char kEventCommitAndDrawCompositorFrame[] =\n \"WidgetBase::DidCommitAndDrawCompositorFrame\";\nconst std::unordered_map<std::string, std::string> kEventToMetricMap(\n {{kEventCapture, kMetricCaptureMs},\n {std::string(kEventCapture) + kEventSuffixFailRate,\n kMetricCaptureFailRatePercent},\n {std::string(kEventCapture) + kEventSuffixLatency,\n kMetricCaptureLatencyMs},\n {kEventCommitAndDrawCompositorFrame, kMetricRendererFrameDrawMs}});\n\nperf_test::PerfResultReporter SetUpTabCaptureReporter(\n const std::string& story) {\n perf_test::PerfResultReporter reporter(kMetricPrefixTabCapture, story);\n reporter.RegisterImportantMetric(kMetricCaptureMs, \"ms\");\n reporter.RegisterImportantMetric(kMetricCaptureFailRatePercent, \"percent\");\n reporter.RegisterImportantMetric(kMetricCaptureLatencyMs, \"ms\");\n reporter.RegisterImportantMetric(kMetricRendererFrameDrawMs, \"ms\");\n return reporter;\n}\n\nstd::string GetMetricFromEventName(const std::string& event_name) {\n auto iter = kEventToMetricMap.find(event_name);\n return iter == kEventToMetricMap.end() ? event_name : iter->second;\n}\n\n// A convenience macro to run a gtest expectation in the \"full performance run\"\n// setting, or else a warning that something is not being entirely tested in the\n// \"CQ run\" setting. This is required because the test runs in the CQ may not be\n// long enough to collect sufficient tracing data; and, unfortunately, there's\n// nothing we can do about that.\n#define EXPECT_FOR_PERFORMANCE_RUN(expr) \\\n do { \\\n if (is_full_performance_run()) { \\\n EXPECT_TRUE(expr); \\\n } else if (!(expr)) { \\\n LOG(WARNING) << \"Allowing failure: \" << #expr; \\\n } \\\n } while (false)\n\nenum TestFlags {\n kUseGpu = 1 << 0, // Only execute test if --enable-gpu was given\n // on the command line. This is required for\n // tests that run on GPU.\n kTestThroughWebRTC = 1 << 3, // Send video through a webrtc loopback.\n kSmallWindow = 1 << 4, // Window size: 1 = 800x600, 0 = 2000x1000\n};\n\n// Perfetto trace events should have a \"success\" that is either on\n// the beginning or end event.\nbool EventWasSuccessful(const trace_analyzer::TraceEvent* event) {\n double result;\n // First case: the begin event had a success.\n if (event->GetArgAsNumber(\"success\", &result) && result > 0.0) {\n return true;\n }\n\n // Second case: the end event had a success.\n if (event->other_event &&\n event->other_event->GetArgAsNumber(\"success\", &result) && result > 0.0) {\n return true;\n }\n\n return false;\n}\nclass TabCapturePerformanceTest : public TabCapturePerformanceTestBase,\n public testing::WithParamInterface<int> {\n public:\n TabCapturePerformanceTest() = default;\n ~TabCapturePerformanceTest() override = default;\n\n bool HasFlag(TestFlags flag) const {\n return (GetParam() & flag) == flag;\n }\n\n std::string GetSuffixForTestFlags() const {\n std::string suffix;\n if (HasFlag(kUseGpu))\n suffix += \"_comp_gpu\";\n if (HasFlag(kTestThroughWebRTC))\n suffix += \"_webrtc\";\n if (HasFlag(kSmallWindow))\n suffix += \"_small\";\n // Make sure we always have a story.\n if (suffix.size() == 0) {\n suffix = \"_baseline_story\";\n }\n // Strip off the leading _.\n suffix.erase(0, 1);\n return suffix;\n }\n\n void SetUp() override {\n const base::FilePath test_file = GetApiTestDataDir()\n .AppendASCII(\"tab_capture\")\n .AppendASCII(\"balls.html\");\n const bool success = base::ReadFileToString(test_file, &test_page_html_);\n CHECK(success) << \"Failed to load test page at: \"\n << test_file.AsUTF8Unsafe();\n\n if (!HasFlag(kUseGpu))\n UseSoftwareCompositing();\n\n TabCapturePerformanceTestBase::SetUp();\n }\n\n void SetUpCommandLine(base::CommandLine* command_line) override {\n if (HasFlag(kSmallWindow)) {\n command_line->AppendSwitchASCII(switches::kWindowSize, \"800,600\");\n } else {\n command_line->AppendSwitchASCII(switches::kWindowSize, \"2000,1500\");\n }\n\n TabCapturePerformanceTestBase::SetUpCommandLine(command_line);\n }\n\n // Analyze and print the mean and stddev of how often events having the name\n // |event_name| occur.\n bool PrintRateResults(trace_analyzer::TraceAnalyzer* analyzer,\n const std::string& event_name) {\n trace_analyzer::TraceEventVector events;\n QueryTraceEvents(analyzer, event_name, &events);\n\n // Ignore some events for startup/setup/caching/teardown.\n const int trim_count = is_full_performance_run() ? kTrimEvents : 0;\n if (static_cast<int>(events.size()) < trim_count * 2) {\n LOG(ERROR) << \"Fewer events for \" << event_name\n << \" than would be trimmed: \" << events.size();\n return false;\n }\n trace_analyzer::TraceEventVector rate_events(events.begin() + trim_count,\n events.end() - trim_count);\n trace_analyzer::RateStats stats;\n const bool have_rate_stats = GetRateStats(rate_events, &stats, nullptr);\n double mean_ms = stats.mean_us / 1000.0;\n double std_dev_ms = stats.standard_deviation_us / 1000.0;\n std::string mean_and_error = base::StringPrintf(\"%f,%f\", mean_ms,\n std_dev_ms);\n auto reporter = SetUpTabCaptureReporter(GetSuffixForTestFlags());\n reporter.AddResultMeanAndError(GetMetricFromEventName(event_name),\n mean_and_error);\n return have_rate_stats;\n }\n\n // Analyze and print the mean and stddev of the amount of time between the\n // begin and end timestamps of each event having the name |event_name|.\n bool PrintLatencyResults(trace_analyzer::TraceAnalyzer* analyzer,\n const std::string& event_name) {\n trace_analyzer::TraceEventVector events;\n QueryTraceEvents(analyzer, event_name, &events);\n\n // Ignore some events for startup/setup/caching/teardown.\n const int trim_count = is_full_performance_run() ? kTrimEvents : 0;\n if (static_cast<int>(events.size()) < trim_count * 2) {\n LOG(ERROR) << \"Fewer events for \" << event_name\n << \" than would be trimmed: \" << events.size();\n return false;\n }\n trace_analyzer::TraceEventVector events_to_analyze(\n events.begin() + trim_count, events.end() - trim_count);\n\n // Compute mean and standard deviation of all capture latencies.\n double sum = 0.0;\n double sqr_sum = 0.0;\n int count = 0;\n for (const auto* begin_event : events_to_analyze) {\n const auto* end_event = begin_event->other_event;\n if (!end_event)\n continue;\n const double latency = end_event->timestamp - begin_event->timestamp;\n sum += latency;\n sqr_sum += latency * latency;\n ++count;\n }\n const double mean_us = (count == 0) ? NAN : (sum / count);\n const double std_dev_us =\n (count == 0)\n ? NAN\n : (sqrt(std::max(0.0, count * sqr_sum - sum * sum)) / count);\n auto reporter = SetUpTabCaptureReporter(GetSuffixForTestFlags());\n reporter.AddResultMeanAndError(\n GetMetricFromEventName(event_name + kEventSuffixLatency),\n base::StringPrintf(\"%f,%f\", mean_us / 1000.0, std_dev_us / 1000.0));\n return count > 0;\n }\n\n // Analyze and print the mean and stddev of how often events having the name\n // |event_name| are missing the success=true flag.\n bool PrintFailRateResults(trace_analyzer::TraceAnalyzer* analyzer,\n const std::string& event_name) {\n trace_analyzer::TraceEventVector events;\n QueryTraceEvents(analyzer, event_name, &events);\n\n // Ignore some events for startup/setup/caching/teardown.\n const int trim_count = is_full_performance_run() ? kTrimEvents : 0;\n if (static_cast<int>(events.size()) < trim_count * 2) {\n LOG(ERROR) << \"Fewer events for \" << event_name\n << \" than would be trimmed: \" << events.size();\n return false;\n }\n trace_analyzer::TraceEventVector events_to_analyze(\n events.begin() + trim_count, events.end() - trim_count);\n\n // Compute percentage of begin\u2192end events missing a success=true flag.\n // If there are no events to analyze, then the failure rate is 100%.\n double fail_percent = 100.0;\n if (!events_to_analyze.empty()) {\n int fail_count = 0;\n for (const auto* event : events_to_analyze) {\n if (!EventWasSuccessful(event)) {\n ++fail_count;\n }\n }\n fail_percent = 100.0 * static_cast<double>(fail_count) /\n static_cast<double>(events_to_analyze.size());\n }\n auto reporter = SetUpTabCaptureReporter(GetSuffixForTestFlags());\n reporter.AddResult(\n GetMetricFromEventName(event_name + kEventSuffixFailRate),\n fail_percent);\n return !events_to_analyze.empty();\n }\n\n protected:\n // The HTML test web page that draws animating balls continuously. Populated\n // in SetUp().\n std::string test_page_html_;\n};\n\n} // namespace\n\n#if BUILDFLAG(IS_CHROMEOS_ASH) && defined(MEMORY_SANITIZER)\n// Using MSAN on ChromeOS causes problems due to its hardware OpenGL library.\n#define MAYBE_Performance DISABLED_Performance\n#elif defined(OS_MAC)\n// flaky on Mac 10.11 See: http://crbug.com/1235358\n#define MAYBE_Performance DISABLED_Performance\n#else\n#define MAYBE_Performance Performance\n#endif\nIN_PROC_BROWSER_TEST_P(TabCapturePerformanceTest, MAYBE_Performance) {\n // Load the extension and test page, and tell the extension to start tab\n // capture.\n LoadExtension(GetApiTestDataDir()\n .AppendASCII(\"tab_capture\")\n .AppendASCII(\"perftest_extension\"));\n NavigateToTestPage(test_page_html_);\n const base::Value response = SendMessageToExtension(\n base::StringPrintf(\"{start:true, passThroughWebRTC:%s}\",\n HasFlag(kTestThroughWebRTC) ? \"true\" : \"false\"));\n const std::string* reason = response.FindStringKey(\"reason\");\n ASSERT_TRUE(response.FindBoolKey(\"success\").value_or(false))\n << (reason ? *reason : std::string(\"<MISSING REASON>\"));\n\n // Observe the running browser for a while, collecting a trace.\n std::unique_ptr<trace_analyzer::TraceAnalyzer> analyzer = TraceAndObserve(\n \"gpu,gpu.capture\",\n std::vector<base::StringPiece>{kEventCommitAndDrawCompositorFrame,\n kEventCapture},\n // In a full performance run, events will be trimmed from both ends of\n // trace. Otherwise, just require the bare-minimum to verify the stats\n // calculations will work.\n is_full_performance_run() ? (2 * kTrimEvents + kMinDataPointsForFullRun)\n : kMinDataPointsForQuickRun);\n\n // The printed result will be the average time between composites in the\n // renderer of the page being captured. This may not reach the full frame\n // rate if the renderer cannot draw as fast as is desired.\n //\n // Note that any changes to drawing or compositing in the renderer,\n // including changes to Blink (e.g., Canvas drawing), layout, etc.; will\n // have an impact on this result.\n EXPECT_FOR_PERFORMANCE_RUN(\n PrintRateResults(analyzer.get(), kEventCommitAndDrawCompositorFrame));\n\n // This prints out the average time between capture events in the browser\n // process. This should roughly match the renderer's draw+composite rate.\n EXPECT_FOR_PERFORMANCE_RUN(PrintRateResults(analyzer.get(), kEventCapture));\n\n // Analyze mean/stddev of the capture latency. This is a measure of how long\n // each capture took, from initiation until read-back from the GPU into a\n // media::VideoFrame was complete. Lower is better.\n EXPECT_FOR_PERFORMANCE_RUN(\n PrintLatencyResults(analyzer.get(), kEventCapture));\n\n // Analyze percentage of failed captures. This measures how often captures\n // were initiated, but not completed successfully. Lower is better, and zero\n // is ideal.\n EXPECT_FOR_PERFORMANCE_RUN(\n PrintFailRateResults(analyzer.get(), kEventCapture));\n}\n\n#if BUILDFLAG(IS_CHROMEOS_ASH)\n\n// On ChromeOS, software compositing is not an option.\nINSTANTIATE_TEST_SUITE_P(All,\n TabCapturePerformanceTest,\n testing::Values(kUseGpu,\n kTestThroughWebRTC | kUseGpu));\n\n#else\n\n// Run everything on non-ChromeOS platforms.\nINSTANTIATE_TEST_SUITE_P(All,\n TabCapturePerformanceTest,\n testing::Values(0,\n kUseGpu,\n kTestThroughWebRTC,\n kTestThroughWebRTC | kUseGpu));\n\n#endif // BUILDFLAG(IS_CHROMEOS_ASH)\n" + }, + "written_data": { + "chrome/browser/extensions/api/tab_capture/tab_capture_performancetest.cc": "// Copyright 2013 The Chromium Authors. All rights reserved.\n// Use of this source code is governed by a BSD-style license that can be\n// found in the LICENSE file.\n\n#include <cmath>\n#include <unordered_map>\n\n#include \"base/command_line.h\"\n#include \"base/files/file_util.h\"\n#include \"base/strings/stringprintf.h\"\n#include \"base/test/trace_event_analyzer.h\"\n#include \"build/build_config.h\"\n#include \"build/chromeos_buildflags.h\"\n#include \"chrome/browser/extensions/api/tab_capture/tab_capture_performance_test_base.h\"\n#include \"chrome/browser/extensions/extension_service.h\"\n#include \"chrome/browser/profiles/profile.h\"\n#include \"chrome/browser/ui/exclusive_access/fullscreen_controller.h\"\n#include \"chrome/common/chrome_switches.h\"\n#include \"chrome/test/base/in_process_browser_test.h\"\n#include \"chrome/test/base/test_launcher_utils.h\"\n#include \"chrome/test/base/test_switches.h\"\n#include \"chrome/test/base/tracing.h\"\n#include \"content/public/common/content_switches.h\"\n#include \"content/public/test/browser_test.h\"\n#include \"extensions/common/switches.h\"\n#include \"extensions/test/extension_test_message_listener.h\"\n#include \"testing/gtest/include/gtest/gtest.h\"\n#include \"testing/perf/perf_result_reporter.h\"\n#include \"ui/compositor/compositor_switches.h\"\n#include \"ui/gl/gl_switches.h\"\n\nnamespace {\n\n// Number of events to trim from the beginning and end. These events don't\n// contribute anything toward stable measurements: A brief moment of startup\n// \"jank\" is acceptable, and shutdown may result in missing events (since\n// render widget draws may stop before capture stops).\nconstexpr int kTrimEvents = 24; // 1 sec at 24fps, or 0.4 sec at 60 fps.\n\n// Minimum number of events required for a reasonable analysis.\nconstexpr int kMinDataPointsForFullRun = 100; // ~5 sec at 24fps.\n\n// Minimum number of events required for data analysis in a non-performance run.\nconstexpr int kMinDataPointsForQuickRun = 3;\n\nconstexpr char kMetricPrefixTabCapture[] = \"TabCapture.\";\nconstexpr char kMetricCaptureMs[] = \"capture\";\nconstexpr char kMetricCaptureFailRatePercent[] = \"capture_fail_rate\";\nconstexpr char kMetricCaptureLatencyMs[] = \"capture_latency\";\nconstexpr char kMetricRendererFrameDrawMs[] = \"renderer_frame_draw\";\n\nconstexpr char kEventCapture[] = \"Capture\";\nconstexpr char kEventSuffixFailRate[] = \"FailRate\";\nconstexpr char kEventSuffixLatency[] = \"Latency\";\nconstexpr char kEventCommitAndDrawCompositorFrame[] =\n \"WidgetBase::DidCommitAndDrawCompositorFrame\";\nconst std::unordered_map<std::string, std::string> kEventToMetricMap(\n {{kEventCapture, kMetricCaptureMs},\n {std::string(kEventCapture) + kEventSuffixFailRate,\n kMetricCaptureFailRatePercent},\n {std::string(kEventCapture) + kEventSuffixLatency,\n kMetricCaptureLatencyMs},\n {kEventCommitAndDrawCompositorFrame, kMetricRendererFrameDrawMs}});\n\nperf_test::PerfResultReporter SetUpTabCaptureReporter(\n const std::string& story) {\n perf_test::PerfResultReporter reporter(kMetricPrefixTabCapture, story);\n reporter.RegisterImportantMetric(kMetricCaptureMs, \"ms\");\n reporter.RegisterImportantMetric(kMetricCaptureFailRatePercent, \"percent\");\n reporter.RegisterImportantMetric(kMetricCaptureLatencyMs, \"ms\");\n reporter.RegisterImportantMetric(kMetricRendererFrameDrawMs, \"ms\");\n return reporter;\n}\n\nstd::string GetMetricFromEventName(const std::string& event_name) {\n auto iter = kEventToMetricMap.find(event_name);\n return iter == kEventToMetricMap.end() ? event_name : iter->second;\n}\n\n// A convenience macro to run a gtest expectation in the \"full performance run\"\n// setting, or else a warning that something is not being entirely tested in the\n// \"CQ run\" setting. This is required because the test runs in the CQ may not be\n// long enough to collect sufficient tracing data; and, unfortunately, there's\n// nothing we can do about that.\n#define EXPECT_FOR_PERFORMANCE_RUN(expr) \\\n do { \\\n if (is_full_performance_run()) { \\\n EXPECT_TRUE(expr); \\\n } else if (!(expr)) { \\\n LOG(WARNING) << \"Allowing failure: \" << #expr; \\\n } \\\n } while (false)\n\nenum TestFlags {\n kUseGpu = 1 << 0, // Only execute test if --enable-gpu was given\n // on the command line. This is required for\n // tests that run on GPU.\n kTestThroughWebRTC = 1 << 3, // Send video through a webrtc loopback.\n kSmallWindow = 1 << 4, // Window size: 1 = 800x600, 0 = 2000x1000\n};\n\n// Perfetto trace events should have a \"success\" that is either on\n// the beginning or end event.\nbool EventWasSuccessful(const trace_analyzer::TraceEvent* event) {\n double result;\n // First case: the begin event had a success.\n if (event->GetArgAsNumber(\"success\", &result) && result > 0.0) {\n return true;\n }\n\n // Second case: the end event had a success.\n if (event->other_event &&\n event->other_event->GetArgAsNumber(\"success\", &result) && result > 0.0) {\n return true;\n }\n\n return false;\n}\nclass TabCapturePerformanceTest : public TabCapturePerformanceTestBase,\n public testing::WithParamInterface<int> {\n public:\n TabCapturePerformanceTest() = default;\n ~TabCapturePerformanceTest() override = default;\n\n bool HasFlag(TestFlags flag) const {\n return (GetParam() & flag) == flag;\n }\n\n std::string GetSuffixForTestFlags() const {\n std::string suffix;\n if (HasFlag(kUseGpu))\n suffix += \"_comp_gpu\";\n if (HasFlag(kTestThroughWebRTC))\n suffix += \"_webrtc\";\n if (HasFlag(kSmallWindow))\n suffix += \"_small\";\n // Make sure we always have a story.\n if (suffix.size() == 0) {\n suffix = \"_baseline_story\";\n }\n // Strip off the leading _.\n suffix.erase(0, 1);\n return suffix;\n }\n\n void SetUp() override {\n const base::FilePath test_file = GetApiTestDataDir()\n .AppendASCII(\"tab_capture\")\n .AppendASCII(\"balls.html\");\n const bool success = base::ReadFileToString(test_file, &test_page_html_);\n CHECK(success) << \"Failed to load test page at: \"\n << test_file.AsUTF8Unsafe();\n\n if (!HasFlag(kUseGpu))\n UseSoftwareCompositing();\n\n TabCapturePerformanceTestBase::SetUp();\n }\n\n void SetUpCommandLine(base::CommandLine* command_line) override {\n if (HasFlag(kSmallWindow)) {\n command_line->AppendSwitchASCII(switches::kWindowSize, \"800,600\");\n } else {\n command_line->AppendSwitchASCII(switches::kWindowSize, \"2000,1500\");\n }\n\n TabCapturePerformanceTestBase::SetUpCommandLine(command_line);\n }\n\n // Analyze and print the mean and stddev of how often events having the name\n // |event_name| occur.\n bool PrintRateResults(trace_analyzer::TraceAnalyzer* analyzer,\n const std::string& event_name) {\n trace_analyzer::TraceEventVector events;\n QueryTraceEvents(analyzer, event_name, &events);\n\n // Ignore some events for startup/setup/caching/teardown.\n const int trim_count = is_full_performance_run() ? kTrimEvents : 0;\n if (static_cast<int>(events.size()) < trim_count * 2) {\n LOG(ERROR) << \"Fewer events for \" << event_name\n << \" than would be trimmed: \" << events.size();\n return false;\n }\n trace_analyzer::TraceEventVector rate_events(events.begin() + trim_count,\n events.end() - trim_count);\n trace_analyzer::RateStats stats;\n const bool have_rate_stats = GetRateStats(rate_events, &stats, nullptr);\n double mean_ms = stats.mean_us / 1000.0;\n double std_dev_ms = stats.standard_deviation_us / 1000.0;\n std::string mean_and_error = base::StringPrintf(\"%f,%f\", mean_ms,\n std_dev_ms);\n auto reporter = SetUpTabCaptureReporter(GetSuffixForTestFlags());\n reporter.AddResultMeanAndError(GetMetricFromEventName(event_name),\n mean_and_error);\n return have_rate_stats;\n }\n\n // Analyze and print the mean and stddev of the amount of time between the\n // begin and end timestamps of each event having the name |event_name|.\n bool PrintLatencyResults(trace_analyzer::TraceAnalyzer* analyzer,\n const std::string& event_name) {\n trace_analyzer::TraceEventVector events;\n QueryTraceEvents(analyzer, event_name, &events);\n\n // Ignore some events for startup/setup/caching/teardown.\n const int trim_count = is_full_performance_run() ? kTrimEvents : 0;\n if (static_cast<int>(events.size()) < trim_count * 2) {\n LOG(ERROR) << \"Fewer events for \" << event_name\n << \" than would be trimmed: \" << events.size();\n return false;\n }\n trace_analyzer::TraceEventVector events_to_analyze(\n events.begin() + trim_count, events.end() - trim_count);\n\n // Compute mean and standard deviation of all capture latencies.\n double sum = 0.0;\n double sqr_sum = 0.0;\n int count = 0;\n for (const auto* begin_event : events_to_analyze) {\n const auto* end_event = begin_event->other_event;\n if (!end_event)\n continue;\n const double latency = end_event->timestamp - begin_event->timestamp;\n sum += latency;\n sqr_sum += latency * latency;\n ++count;\n }\n const double mean_us = (count == 0) ? NAN : (sum / count);\n const double std_dev_us =\n (count == 0)\n ? NAN\n : (sqrt(std::max(0.0, count * sqr_sum - sum * sum)) / count);\n auto reporter = SetUpTabCaptureReporter(GetSuffixForTestFlags());\n reporter.AddResultMeanAndError(\n GetMetricFromEventName(event_name + kEventSuffixLatency),\n base::StringPrintf(\"%f,%f\", mean_us / 1000.0, std_dev_us / 1000.0));\n return count > 0;\n }\n\n // Analyze and print the mean and stddev of how often events having the name\n // |event_name| are missing the success=true flag.\n bool PrintFailRateResults(trace_analyzer::TraceAnalyzer* analyzer,\n const std::string& event_name) {\n trace_analyzer::TraceEventVector events;\n QueryTraceEvents(analyzer, event_name, &events);\n\n // Ignore some events for startup/setup/caching/teardown.\n const int trim_count = is_full_performance_run() ? kTrimEvents : 0;\n if (static_cast<int>(events.size()) < trim_count * 2) {\n LOG(ERROR) << \"Fewer events for \" << event_name\n << \" than would be trimmed: \" << events.size();\n return false;\n }\n trace_analyzer::TraceEventVector events_to_analyze(\n events.begin() + trim_count, events.end() - trim_count);\n\n // Compute percentage of begin\u2192end events missing a success=true flag.\n // If there are no events to analyze, then the failure rate is 100%.\n double fail_percent = 100.0;\n if (!events_to_analyze.empty()) {\n int fail_count = 0;\n for (const auto* event : events_to_analyze) {\n if (!EventWasSuccessful(event)) {\n ++fail_count;\n }\n }\n fail_percent = 100.0 * static_cast<double>(fail_count) /\n static_cast<double>(events_to_analyze.size());\n }\n auto reporter = SetUpTabCaptureReporter(GetSuffixForTestFlags());\n reporter.AddResult(\n GetMetricFromEventName(event_name + kEventSuffixFailRate),\n fail_percent);\n return !events_to_analyze.empty();\n }\n\n protected:\n // The HTML test web page that draws animating balls continuously. Populated\n // in SetUp().\n std::string test_page_html_;\n};\n\n} // namespace\n\nIN_PROC_BROWSER_TEST_P(TabCapturePerformanceTest, DISABLED_Performance) {\n // Load the extension and test page, and tell the extension to start tab\n // capture.\n LoadExtension(GetApiTestDataDir()\n .AppendASCII(\"tab_capture\")\n .AppendASCII(\"perftest_extension\"));\n NavigateToTestPage(test_page_html_);\n const base::Value response = SendMessageToExtension(\n base::StringPrintf(\"{start:true, passThroughWebRTC:%s}\",\n HasFlag(kTestThroughWebRTC) ? \"true\" : \"false\"));\n const std::string* reason = response.FindStringKey(\"reason\");\n ASSERT_TRUE(response.FindBoolKey(\"success\").value_or(false))\n << (reason ? *reason : std::string(\"<MISSING REASON>\"));\n\n // Observe the running browser for a while, collecting a trace.\n std::unique_ptr<trace_analyzer::TraceAnalyzer> analyzer = TraceAndObserve(\n \"gpu,gpu.capture\",\n std::vector<base::StringPiece>{kEventCommitAndDrawCompositorFrame,\n kEventCapture},\n // In a full performance run, events will be trimmed from both ends of\n // trace. Otherwise, just require the bare-minimum to verify the stats\n // calculations will work.\n is_full_performance_run() ? (2 * kTrimEvents + kMinDataPointsForFullRun)\n : kMinDataPointsForQuickRun);\n\n // The printed result will be the average time between composites in the\n // renderer of the page being captured. This may not reach the full frame\n // rate if the renderer cannot draw as fast as is desired.\n //\n // Note that any changes to drawing or compositing in the renderer,\n // including changes to Blink (e.g., Canvas drawing), layout, etc.; will\n // have an impact on this result.\n EXPECT_FOR_PERFORMANCE_RUN(\n PrintRateResults(analyzer.get(), kEventCommitAndDrawCompositorFrame));\n\n // This prints out the average time between capture events in the browser\n // process. This should roughly match the renderer's draw+composite rate.\n EXPECT_FOR_PERFORMANCE_RUN(PrintRateResults(analyzer.get(), kEventCapture));\n\n // Analyze mean/stddev of the capture latency. This is a measure of how long\n // each capture took, from initiation until read-back from the GPU into a\n // media::VideoFrame was complete. Lower is better.\n EXPECT_FOR_PERFORMANCE_RUN(\n PrintLatencyResults(analyzer.get(), kEventCapture));\n\n // Analyze percentage of failed captures. This measures how often captures\n // were initiated, but not completed successfully. Lower is better, and zero\n // is ideal.\n EXPECT_FOR_PERFORMANCE_RUN(\n PrintFailRateResults(analyzer.get(), kEventCapture));\n}\n\n#if BUILDFLAG(IS_CHROMEOS_ASH)\n\n// On ChromeOS, software compositing is not an option.\nINSTANTIATE_TEST_SUITE_P(All,\n TabCapturePerformanceTest,\n testing::Values(kUseGpu,\n kTestThroughWebRTC | kUseGpu));\n\n#else\n\n// Run everything on non-ChromeOS platforms.\nINSTANTIATE_TEST_SUITE_P(All,\n TabCapturePerformanceTest,\n testing::Values(0,\n kUseGpu,\n kTestThroughWebRTC,\n kTestThroughWebRTC | kUseGpu));\n\n#endif // BUILDFLAG(IS_CHROMEOS_ASH)\n" + } +} \ No newline at end of file