1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
|
# These are the layout test expectations for the Qt port of WebKit.
#
# See http://trac.webkit.org/wiki/TestExpectations for more information on this file.
# =========================================================================== #
# Entries merged in from the old Skipped file #
# =========================================================================== #
# =========================================================================== #
# Categories of Skipped Tests #
# =========================================================================== #
#
# Note:Try to add newly skipped tests to the appropriate category. If you create
# a new category, be sure to list it here. If all else fails you can just
# add to the 'unsorted' category at the bottom.
# Where a test is a layout test, rather than plaintext, it can help to run
# it with '--platform mac --ignore-metrics' and add or create a section
# in the category to indicate whether it still failed.
#
# List of Categories:
#
# - Permanently Skipped Tests.
# - Disabled features.
# - Feature not supported yet.
# - Drag and Drop Support in DRT.
# - Failing HTTP tests.
# - Failing xmlhttprequest tests
# - Failing editing/inserting tests.
# - Failing editing/pasteboard tests.
# - Failing editing/deleting tests
# - Failing editing/selection tests.
# - Failing editing/spelling tests
# - Failing plugins tests.
# - Failing execCommand tests.
# - Failing Sputnik tests
# - Fluctuating/flakey tests
# - failing media tests
# - Crashing tests due to re-enabled Phonon support in Buildbot's Qt
# - Missing features in our DumpRenderTree implementation
# - Failing SVG tests
# - Failing CSS Tests
# - failing fast tests
# - failing fonts tests
# - failing security tests
# - failing tables tests
# - Failed canvas tests from http://philip.html5.org/tests/canvas/suite/tests/
# - failing transforms tests
# - failing printing tests
# - new tests without expected results
# - Regressions occured after Qt version update
# - new skipped tests yet to be sorted
# =========================================================================== #
# Permanently Skipped Tests. #
# =========================================================================== #
# ----- tests that use Objective-C so can never be supported
editing/pasteboard/paste-RTFD.html
editing/pasteboard/paste-TIFF.html
# Skip mac API specific tests
fast/loader/stop-provisional-loads.html
# Test failed after r95899
# https://bugs.webkit.org/show_bug.cgi?id=68796
# This canvas test is skipped because it is out of date with respect to
# the current spec, and the fix for https://bugs.webkit.org/show_bug.cgi?id=65709
# which complies with the current spec, makes this test fail by no longer throwing
# exceptions that were previously expected
canvas/philip/tests/2d.drawImage.outsidesource.html
# =========================================================================== #
# Disabled features. #
# =========================================================================== #
# ENABLE_INPUT_TYPE_COLOR is disabled.
fast/forms/color
# ENABLE(INPUT_TYPE_*) are not enabled.
# https://bugs.webkit.org/show_bug.cgi?id=29359
fast/forms/date
fast/css/pseudo-in-range.html
fast/css/pseudo-out-of-range.html
fast/css/pseudo-in-range-invalid-value.html
fast/forms/datetime
fast/forms/datetimelocal
fast/forms/month
fast/forms/time
fast/forms/week
fast/forms/input-in-table-cell-no-value.html
# ENABLE_GAMEPAD not enabled.
gamepad/
# ENABLE(INPUT_SPEECH) is disabled.
fast/speech
# ENABLE(SCRIPTEDSPEECH) is disabled.
fast/events/constructors/speech-recognition-event-constructor.html
fast/events/constructors/speech-recognition-error-constructor.html
# ENABLE(MEDIA_STREAM) is disabled.
fast/mediastream
# ENABLE(DIRECTORY_UPLOAD) is disabled.
fast/forms/file/input-file-directory-upload.html
# ENABLE(INDEXED_DATABASE) is disabled.
storage/indexeddb
http/tests/inspector/indexeddb
inspector/timeline/timeline-animation-frame.html
# ENABLE(ANIMATION_API) is disabled.
animations/animation-api-1.html
# ENABLE(WEB_ARCHIVE) is disabled.
svg/custom/image-with-prefix-in-webarchive.svg
http/tests/webarchive
webarchive
svg/webarchive
# ENABLE(FILE_SYSTEM) is disabled.
fast/filesystem
fast/forms/file/input-file-entries.html
http/tests/filesystem
http/tests/inspector/filesystem
http/tests/security/contentSecurityPolicy/filesystem-urls-match-self.html
http/tests/security/filesystem-iframe-from-remote.html
http/tests/security/mixedContent/filesystem-url-in-iframe.html
http/tests/websocket/tests/hybi/send-file-blob.html
http/tests/websocket/tests/hybi/send-file-blob-fail.html
fast/mutation/filesystem-callback-delivery.html
# ENABLE(QUOTA) is disabled.
storage/storageinfo-missing-arguments.html
storage/storageinfo-no-callbacks.html
storage/storageinfo-query-usage.html
storage/storageinfo-request-quota.html
# ENABLE(WEBGL) is disabled.
http/tests/canvas/webgl
compositing/webgl
http/tests/security/webgl-remote-read-remote-image-allowed.html
http/tests/security/webgl-remote-read-remote-image-allowed-with-credentials.html
http/tests/security/webgl-remote-read-remote-image-blocked-no-crossorigin.html
inspector/profiler/webgl
# ENABLE(LINK_PREFETCH) is disabled.
fast/dom/HTMLLinkElement/link-and-subresource-test.html
fast/dom/HTMLLinkElement/link-and-subresource-test-nonexistent.html
fast/dom/HTMLLinkElement/prefetch.html
fast/dom/HTMLLinkElement/prefetch-beforeload.html
fast/dom/HTMLLinkElement/prefetch-onerror.html
fast/dom/HTMLLinkElement/prefetch-onload.html
fast/dom/HTMLLinkElement/prefetch-too-many-clients.html
fast/dom/HTMLLinkElement/subresource.html
http/tests/misc/link-rel-prefetch-and-subresource.html
http/tests/misc/prefetch-purpose.html
# ENABLE(LINK_PRERENDER) is disabled.
fast/dom/HTMLLinkElement/prerender-insert-after-stop.html
fast/dom/HTMLLinkElement/prerender-remove-after-stop.html
# ENABLE(DASHBOARD_SUPPORT) is disabled
http/tests/xmlhttprequest/default-content-type-dashboard.html
http/tests/xmlhttprequest/svg-created-by-xhr-allowed-in-dashboard.html
svg/custom/embedded-svg-allowed-in-dashboard.xml
svg/custom/manually-parsed-embedded-svg-allowed-in-dashboard.html
svg/custom/manually-parsed-svg-allowed-in-dashboard.html
svg/custom/svg-allowed-in-dashboard-object.html
# <style scoped> is not yet enabled. http://webkit.org/b/49142
fast/css/style-scoped
# CSS Regions tests for region styling and scoped styles
fast/regions/style-scoped-in-flow-override-container-style.html
fast/regions/style-scoped-in-flow-override-region-styling-multiple-regions.html
fast/regions/style-scoped-in-flow-override-region-styling.html
fast/regions/style-scoped-in-flow.html
# Accelerated compositing is disabled for elements in a RenderFlowThread webkit.org/b/84900
compositing/regions/webkit-flow-renderer-layer-compositing.html
# ENABLE(SHADOW_DOM) is disabled.
editing/shadow
fast/dom/shadow/access-key.html
fast/dom/shadow/adopt-node-with-shadow-root.html
fast/dom/shadow/composed-shadow-tree-walker.html
fast/dom/shadow/content-after-style.html
fast/dom/shadow/content-element-api.html
fast/dom/shadow/content-element-move.html
fast/dom/shadow/content-element-outside-shadow.html
fast/dom/shadow/content-element-outside-shadow-style.html
fast/dom/shadow/content-element-in-media-element.html
fast/dom/shadow/content-element-in-meter-element.html
fast/dom/shadow/distributed-nodes.html
fast/dom/shadow/drop-event-for-input-in-shadow.html
fast/dom/shadow/drop-event-in-shadow.html
fast/dom/shadow/elements-in-frameless-document.html
fast/dom/shadow/events-stopped-at-shadow-boundary.html
fast/dom/shadow/focus-navigation.html
fast/dom/shadow/focus-navigation-with-distributed-nodes.html
fast/dom/shadow/form-in-shadow.html
fast/dom/shadow/get-element-by-id-in-shadow-mutation.html
fast/dom/shadow/get-element-by-id-in-shadow-root.html
fast/dom/shadow/has-shadow-insertion-point.html
fast/dom/shadow/iframe-shadow.html
fast/dom/shadow/invalidate-distribution.html
fast/dom/shadow/insertion-point-list-menu-crash.html
fast/dom/shadow/insertion-point-shadow-crash.html
fast/dom/shadow/insertion-point-video-crash.html
fast/dom/shadow/link-in-shadow-tree.html
fast/dom/shadow/multiple-shadowroot.html
fast/dom/shadow/multiple-shadowroot-rendering.html
fast/dom/shadow/multiple-shadowroot-adopt.html
fast/dom/shadow/parent-tree-scope-in-shadow.html
fast/dom/shadow/selections-in-shadow.html
fast/dom/shadow/selection-shouldnt-expose-shadow-dom.html
fast/dom/shadow/shadowdom-dynamic-styling.html
fast/dom/shadow/shadowdom-for-button.html
fast/dom/shadow/shadowdom-for-image-alt-update.html
fast/dom/shadow/shadowdom-for-image-alt.html
fast/dom/shadow/shadowdom-for-image-content.html
fast/dom/shadow/shadowdom-for-image-dynamic.html
fast/dom/shadow/shadowdom-for-image-event.html
fast/dom/shadow/shadowdom-for-image-event-click.html
fast/dom/shadow/shadowdom-for-image-in-shadowdom.html
fast/dom/shadow/shadowdom-for-image-map.html
fast/dom/shadow/shadowdom-for-image-style.html
fast/dom/shadow/shadowdom-for-image-with-multiple-shadow.html
fast/dom/shadow/shadowdom-for-image-with-pseudo-id.html
fast/dom/shadow/shadowdom-for-image-with-width-and-height.html
fast/dom/shadow/shadowdom-for-image.html
fast/dom/shadow/shadowdom-for-media.html
fast/dom/shadow/shadowdom-for-progress-dynamic.html
fast/dom/shadow/shadowdom-for-progress-multiple.html
fast/dom/shadow/shadowdom-for-progress-with-style.html
fast/dom/shadow/shadowdom-for-progress-without-appearance.html
fast/dom/shadow/shadowdom-for-progress-without-shadow-element.html
fast/dom/shadow/shadowdom-for-progress.html
fast/dom/shadow/shadow-and-list-elements.html
fast/dom/shadow/shadow-boundary-events.html
fast/dom/shadow/shadow-content-crash.html
fast/dom/shadow/shadow-contents-fallback-dynamic.html
fast/dom/shadow/shadow-contents-fallback.html
fast/dom/shadow/shadow-dom-event-dispatching.html
fast/dom/shadow/shadow-dynamic-style-change-via-mutation-and-selector.html
fast/dom/shadow/shadow-disable.html
fast/dom/shadow/shadow-div-reflow.html
fast/dom/shadow/shadow-element.html
fast/dom/shadow/shadow-element-rendering-single.html
fast/dom/shadow/shadow-element-rendering-multiple.html
fast/dom/shadow/shadow-nested-pseudo-id.html
fast/dom/shadow/shadow-on-image.html
fast/dom/shadow/shadow-removechild-and-blur-event.html
fast/dom/shadow/shadow-root-activeElement.html
fast/dom/shadow/shadow-root-append.html
fast/dom/shadow/shadow-root-applyAuthorStyles.html
fast/dom/shadow/shadow-root-attached.html
fast/dom/shadow/shadow-root-blur.html
fast/dom/shadow/shadow-root-innerHTML.html
fast/dom/shadow/shadow-root-js-api.html
fast/dom/shadow/shadow-root-new.html
fast/dom/shadow/shadow-root-resetStyleInheritance.html
fast/dom/shadow/shadow-ul-li.html
fast/dom/shadow/style-scoped-not-enabled.html
fast/dom/shadow/tab-order-iframe-and-shadow.html
fast/dom/shadow/transition-on-shadow-host-with-distributed-node.html
fast/dom/shadow/user-modify-inheritance.html
fast/dom/shadow/shadowdom-for-object-complex-shadow.html
fast/dom/shadow/shadowdom-for-object-only-shadow.html
fast/dom/shadow/shadowdom-for-object-without-shadow.html
fast/dom/shadow/shadowdom-for-textarea-complex-shadow.html
fast/dom/shadow/shadowdom-for-textarea-only-shadow.html
fast/dom/shadow/shadowdom-for-textarea-without-shadow.html
fast/dom/shadow/shadowdom-for-button-complex-shadow.html
fast/dom/shadow/shadowdom-for-button-only-shadow.html
fast/dom/shadow/shadowdom-for-button-without-shadow.html
fast/dom/shadow/shadowdom-for-select-complex-shadow.html
fast/dom/shadow/shadowdom-for-select-only-shadow.html
fast/dom/shadow/shadowdom-for-select-without-shadow.html
fast/dom/shadow/shadowdom-for-output-complex-shadow.html
fast/dom/shadow/shadowdom-for-output-only-shadow.html
fast/dom/shadow/shadowdom-for-output-without-shadow.html
fast/dom/shadow/shadowdom-for-fieldset-complex-shadow.html
fast/dom/shadow/shadowdom-for-fieldset-only-shadow.html
fast/dom/shadow/shadowdom-for-fieldset-without-shadow.html
fast/dom/shadow/shadowdom-for-keygen-complex-shadow.html
fast/dom/shadow/shadowdom-for-keygen-only-shadow.html
fast/dom/shadow/shadowdom-for-keygen-without-shadow.html
fast/dom/shadow/shadowdom-for-textarea-with-placeholder.html
fast/dom/shadow/shadowdom-for-textarea.html
fast/dom/shadow/input-with-validation.html
fast/dom/shadow/input-with-validation-without-shadow.html
fast/dom/shadow/shadowdom-for-form-associated-element-useragent.html
fast/dom/shadow/suppress-mutation-events-in-shadow-characterdata.html
fast/dom/shadow/select-image-with-shadow.html
fast/dom/shadow/shadowdom-for-meter-dynamic.html
fast/dom/shadow/shadowdom-for-meter-multiple.html
fast/dom/shadow/shadowdom-for-meter-with-style.html
fast/dom/shadow/shadowdom-for-meter-without-appearance.html
fast/dom/shadow/shadowdom-for-meter-without-shadow-element.html
fast/dom/shadow/shadowdom-for-meter.html
fast/dom/shadow/style-of-distributed-node.html
fast/dom/shadow/shadowroot-clonenode.html
# Fail until SUBPIXEL_LAYOUT is enabled
# https://bugs.webkit.org/show_bug.cgi?id=85532
fast/sub-pixel/client-rect-has-subpixel-precision.html
fast/sub-pixel/client-width-height-snapping.html
fast/sub-pixel/file-upload-control-at-fractional-offset.html
fast/sub-pixel/float-containing-block-with-margin.html
fast/sub-pixel/float-with-right-margin-zoom.html
fast/sub-pixel/float-wrap-with-subpixel-top.html
fast/sub-pixel/inline-block-should-not-wrap.html
fast/sub-pixel/inline-block-with-margin.html
fast/sub-pixel/inline-block-with-padding.html
fast/sub-pixel/large-sizes.html
fast/sub-pixel/layout-boxes-with-zoom.html
fast/sub-pixel/position-right-aligns-with-container.html
fast/sub-pixel/selection/selection-gaps-at-fractional-offsets.html
fast/sub-pixel/size-of-box-with-zoom.html
fast/sub-pixel/table-rows-no-gaps.html
fast/sub-pixel/sub-pixel-accumulates-to-layers.html
fast/sub-pixel/selection/selection-rect-in-sub-pixel-table.html
fast/sub-pixel/snap-negative-location.html
fast/sub-pixel/zoomed-image-tiles.html
# USE(V8)
# v8 i18n extension.
fast/js/i18n-bindings-locale.html
# JSC does not support setIsolatedWorldSecurityOrigin, (http://webkit.org/b/61540)
http/tests/security/isolatedWorld/cross-origin-xhr.html
# This test is for clients that choose to make the missing plugin indicator a button
plugins/clicking-missing-plugin-fires-delegate.html
# StorageTracker is not enabled.
storage/domstorage/localstorage/storagetracker
# ----- No User Scripts
userscripts
plugins/plugin-document-load-prevented-userscript.html
# ------ Doesn't support WOFF yet.
fast/css/font-face-woff.html
# Need to implement getFormValue().
plugins/form-value.html
# Boxes are not showing the correct perspective.
transforms/3d/general/perspective-non-layer.html
transforms/3d/general/perspective-units.html
# Small rounding error.
transforms/3d/point-mapping/3d-point-mapping-origins.html
# accessibility support
accessibility
fast/loader/subframe-navigate-during-main-frame-load.html
# Hyphenation is not implemented yet.
fast/text/hyphenate-character.html
fast/text/hyphens.html
fast/text/soft-hyphen-4.html
fast/text/hyphen-min-preferred-width.html
fast/text/soft-hyphen-min-preferred-width.html
# https://bugs.webkit.org/show_bug.cgi?id=43332
inspector/debugger/dom-breakpoints.html
inspector/debugger/event-listener-breakpoints.html
inspector/debugger/step-through-event-listeners.html
inspector/debugger/xhr-breakpoints.html
# JSC doesn't support heap profiling
# https://bugs.webkit.org/show_bug.cgi?id=50485
inspector/profiler/heap-snapshot-inspect-dom-wrapper.html
inspector/profiler/heap-snapshot-comparison-dom-groups-change.html
inspector/profiler/heap-snapshot-comparison-show-all.html
inspector/profiler/heap-snapshot-loader.html
inspector/profiler/heap-snapshot-reveal-in-dominators-view.html
inspector/profiler/heap-snapshot-summary-retainers.html
inspector/profiler/heap-snapshot-summary-show-ranges.html
inspector/profiler/heap-snapshot-summary-sorting-fields.html
inspector/profiler/heap-snapshot-summary-sorting.html
inspector/profiler/heap-snapshot-summary-sorting-instances.html
# https://bugs.webkit.org/show_bug.cgi?id=40300
inspector/debugger/live-edit.html
# https://bugs.webkit.org/show_bug.cgi?id=89652
inspector/debugger/debugger-compile-and-run.html
# https://bugs.webkit.org/show_bug.cgi?id=53003
http/tests/inspector/compiler-source-mapping-debug.html
#[Qt] inspector/styles/svg-style.xhtml fails
# https://bugs.webkit.org/show_bug.cgi?id=79068
inspector/styles/svg-style.xhtml
# Microdata DOM API is not yet enabled.
# https://bugs.webkit.org/show_bug.cgi?id=68610
fast/dom/MicroData
# ENABLE(MUTATION_OBSERVERS) is disabled
fast/dom/HTMLElement/class-list-quirks.html
fast/dom/HTMLElement/class-list.html
fast/mutation/added-out-of-order.html
fast/mutation/callback-arguments.html
fast/mutation/clear-transient-without-delivery.html
fast/mutation/create-during-delivery.html
fast/mutation/cross-document.html
fast/mutation/database-callback-delivery.html
fast/mutation/delivery-order.html
fast/mutation/disconnect-cancel-pending.html
fast/mutation/document-fragment-insertion.html
fast/mutation/inline-event-listener.html
fast/mutation/mutate-during-delivery.html
fast/mutation/mutation-observer-constructor.html
fast/mutation/mutation-callback-non-element-crash.html
fast/mutation/mutation-record-nullity.html
fast/mutation/observe-attributes.html
fast/mutation/observe-characterdata.html
fast/mutation/observe-childList.html
fast/mutation/observe-exceptions.html
fast/mutation/observe-subtree.html
fast/mutation/removed-out-of-order.html
fast/mutation/shadow-dom.html
fast/mutation/takeRecords.html
fast/mutation/transient-gc-crash.html
# Disable private names by default in WebCore
# https://bugs.webkit.org/show_bug.cgi?id=87088
fast/js/names.html
# Don't have GestureLongPress, GestureTapCancel event types
touchadjustment/touch-links-longpress.html
touchadjustment/touch-links-active.html
# ENABLE(HIDDEN_PAGE_DOM_TIMER_THROTTLING) is disabled
fast/dom/timer-throttling-hidden-page.html
# ENABLE(INPUT_MULTIPLE_FIELDS_UI) is disabled
fast/forms/date-multiple-fields
fast/forms/month-multiple-fields
fast/forms/time-multiple-fields
fast/forms/week-multiple-fields
# ENABLE(WIDGET_REGION) is disabled
fast/css/draggable-region-parser.html
# Text Autosizing is not enabled.
webkit.org/b/84186 fast/text-autosizing
# Dialog element is not yet enabled.
webkit.org/b/84635 fast/dom/HTMLDialogElement
# Missing test infrastructure, no gamepads available.
webkit.org/b/92873 gamepad/gamepad-polling-access.html
# CSS Variables are not yet enabled.
webkit.org/b/85580 fast/css/variables
webkit.org/b/85580 inspector/styles/variables
# UndoManager is not yet enabled.
webkit.org/b/87908 editing/undomanager
# CSS image-resolution is not yet enabled.
webkit.org/b/85262 fast/css/image-resolution
# CSS image-orientation is not yet enabled.
webkit.org/b/89052 fast/css/image-orientation
# CSS3 Text Decoration support is not yet enabled (needs ENABLE_CSS3_TEXT_DECORATION).
webkit.org/b/58491 fast/css3-text-decoration
# Web Inspector: Implement support for InspectorClient::overrideDeviceMetrics() in platforms other than Chromium
# https://bugs.webkit.org/show_bug.cgi?id=82886
webkit.org/b/82886 inspector/styles/override-screen-size.html [ Skip ]
# LayoutTestController::setAutomaticLinkDetectionEnabled isn't implemented
webkit.org/b/85463 editing/inserting/typing-space-to-trigger-smart-link.html
# =========================================================================== #
# Feature not yet supported. #
# =========================================================================== #
# Tests for MediaSource API. Feature is not yet functional.
# https://bugs.webkit.org/show_bug.cgi?id=64731
http/tests/media/media-source/
# Encrypted Media Extensions are not enabled.
media/encrypted-media/
# Font feature settings is not implemented.
css3/font-feature-settings-rendering.html
# CSS Filters - some tests don't work yet.
css3/filters/filter-animation-from-none.html
css3/filters/filter-animation.html
css3/filters/filter-property-computed-style.html
css3/filters/filter-property-parsing-invalid.html
css3/filters/filter-property-parsing.html
css3/filters/filter-property.html
css3/filters/filter-repaint.html
# CSS shaders
css3/filters/custom
# Support multipart responses is not implemented.
# https://bugs.webkit.org/show_bug.cgi?id=47060
# https://bugs.webkit.org/show_bug.cgi?id=47059
http/tests/multipart
# HiDPI tests require test infrastructure enhancements
fast/hidpi
svg/as-image/image-respects-deviceScaleFactor.html
# Web Intents is not yet enabled.
webintents/
# Pointer Lock is not implemented.
pointer-lock/
http/tests/pointer-lock/
# Skip because this platform does not support a paging mouse wheel event
fast/events/platform-wheelevent-paging-x-in-non-scrolling-div.html
fast/events/platform-wheelevent-paging-x-in-non-scrolling-page.html
fast/events/platform-wheelevent-paging-x-in-scrolling-div.html
fast/events/platform-wheelevent-paging-x-in-scrolling-page.html
fast/events/platform-wheelevent-paging-xy-in-scrolling-div.html
fast/events/platform-wheelevent-paging-xy-in-scrolling-page.html
fast/events/platform-wheelevent-paging-y-in-non-scrolling-div.html
fast/events/platform-wheelevent-paging-y-in-non-scrolling-page.html
fast/events/platform-wheelevent-paging-y-in-scrolling-div.html
fast/events/platform-wheelevent-paging-y-in-scrolling-page.html
# Tests that require ENABLE(DOWNLOAD_ATTRIBUTE).
fast/dom/HTMLAnchorElement/anchor-nodownload.html
fast/dom/HTMLAnchorElement/anchor-download.html
fast/dom/HTMLAnchorElement/anchor-nodownload-set.html
fast/dom/HTMLAnchorElement/anchor-download-unset.html
# For now, Web Audio API is disabled
webaudio/
# [Qt] Enable WebGL by default for QtWebKit
# https://bugs.webkit.org/show_bug.cgi?id=65998
# disable failing tests after https://trac.webkit.org/changeset/92805
fast/canvas/webgl
# Pre-HMTL5 parser quirks only apply to the mac port for now.
fast/parser/pre-html5-parser-quirks.html
# fast/dom/Window/window-postmessage-arrays.html fails on JSC platforms
# https://bugs.webkit.org/show_bug.cgi?id=72363
fast/dom/Window/window-postmessage-arrays.html
#Vibration API is not implemented.
fast/dom/navigator-vibration.html
#Battery Status API is not implemented.
batterystatus
# Network Information API is not supported yet. http://webkit.org/b/73528
networkinformation
# EXIF orientation support has not yet been implemented for this platform
# http://webkit.org/b/19688
fast/images/exif-orientation.html
fast/images/exif-orientation-css.html
# This platform does not support the Page Visibility API.
fast/events/page-visibility-iframe-delete-test.html
fast/events/page-visibility-iframe-move-test.html
fast/events/page-visibility-iframe-propagation-test.html
fast/events/page-visibility-transition-test.html
# No CORS support for media elements is implemented yet.
http/tests/security/video-cross-origin-readback.html
# Content Security Policy 1.1 (ENABLE_CSP_NEXT) is not enabled
# https://bugs.webkit.org/show_bug.cgi?id=85558
http/tests/security/contentSecurityPolicy/1.1
# Proximity Events is now supported.
fast/dom/Proximity
fast/events/constructors/device-proximity-event-constructor.html
# Missing support in DRT for Geolocation's Coordinate attributes.
fast/dom/Geolocation/coordinates-interface-attributes.html
# =========================================================================== #
# Drag and Drop Support in DRT. #
# =========================================================================== #
# Drag n drop support on DRT cannot work at the moment because Qt's drag'n'drop
# relies on an X event getting to the main window. In the absence of being able
# to receive this event, running windowless, DRT cannot tell what is being dropped and where.
# Bug: https://bugs.webkit.org/show_bug.cgi?id=31332
http/tests/misc/bubble-drag-events.html
http/tests/security/drag-over-remote-content-iframe.html
http/tests/local/drag-over-remote-content.html
http/tests/local/fileapi
http/tests/security/drag-drop-same-unique-origin.html
editing/pasteboard/dataTransfer-setData-getData.html
editing/pasteboard/drag-drop-url-with-style.html
editing/pasteboard/file-drag-to-editable.html
editing/pasteboard/file-input-files-access.html
fast/events/prevent-drag-to-navigate.html
fast/forms/file/input-file-re-render.html
http/tests/security/clipboard/clipboard-file-access.html
fast/files/apply-blob-url-to-xhr.html
fast/files/workers/worker-apply-blob-url-to-xhr.html
fast/files/workers/worker-read-blob-async.html
editing/pasteboard/drag-image-in-about-blank-frame.html
editing/pasteboard/files-during-page-drags.html
editing/pasteboard/drag-drop-list.html
editing/pasteboard/4947130.html
editing/pasteboard/copy-standalone-image.html
editing/pasteboard/drag-drop-dead-frame.html
editing/pasteboard/drag-drop-input-textarea.html
editing/pasteboard/drag-drop-input-in-svg.svg
editing/pasteboard/drag-drop-iframe-refresh-crash.html
editing/pasteboard/drag-drop-modifies-page.html
editing/pasteboard/drag-drop-url-text.html
editing/pasteboard/drop-file-svg.html
editing/pasteboard/drag-image-to-contenteditable-in-iframe.html
editing/pasteboard/drag-selected-image-to-contenteditable.html
editing/pasteboard/drop-link.html
editing/pasteboard/drop-text-without-selection.html
editing/pasteboard/emacs-ctrl-a-k-y.html
editing/pasteboard/emacs-ctrl-k-with-move.html
editing/pasteboard/emacs-ctrl-k-y-001.html
editing/pasteboard/smart-drag-drop.html
editing/pasteboard/subframe-dragndrop-1.html
editing/pasteboard/get-data-text-plain-drop.html
editing/pasteboard/drop-text-events.html
editing/pasteboard/drop-text-events-sideeffect.html
editing/pasteboard/drop-text-events-sideeffect-crash.html
editing/pasteboard/drag-and-drop-image-contenteditable.html
editing/pasteboard/drag-and-drop-inputimage-contenteditable.html
editing/pasteboard/drag-and-drop-objectimage-contenteditable.html
# data-transfer-items is not a default build option
# See bug https://bugs.webkit.org/show_bug.cgi?id=60068
editing/pasteboard/data-transfer-items.html
editing/pasteboard/data-transfer-items-drag-drop-file.html
editing/pasteboard/data-transfer-items-drag-drop-entry.html
editing/pasteboard/data-transfer-items-drag-drop-string.html
fast/events/clipboard-dataTransferItemList.html
fast/events/drag-dataTransferItemList.html
fast/events/drag-dataTransferItemList-file-handling.html
# PasteBoard::plainText() does not support file names.
editing/pasteboard/drag-files-to-editable-element.html
# Missing drag & drop functionality in DRT
editing/pasteboard/drop-inputtext-acquires-style.html
fast/css/user-drag-none.html
svg/as-image/drag-svg-as-image.html
fast/forms/range/slider-delete-while-dragging-thumb.html
fast/forms/select-multiple-elements-with-mouse-drag-with-options-less-than-size.html
# Custom MIME type support in DataTransfer not yet implemented.
editing/pasteboard/clipboard-customData.html
fast/events/drag-customData.html
# EventSender::dumpFilenameBeingDragged not implemented.
# https://bugs.webkit.org/show_bug.cgi?id=61828
fast/events/drag-image-filename.html
# ------- missing drag-and-drop support
# See bug https://bugs.webkit.org/show_bug.cgi?id=31332
fast/events/drag-parent-node.html
fast/events/drag-and-drop.html
fast/events/drag-and-drop-dataTransfer-types-nocrash.html
fast/events/drag-and-drop-fire-drag-dragover.html
fast/events/drag-and-drop-subframe-dataTransfer.html
fast/events/drag-link.html
fast/events/drag-text-with-clear.html
fast/events/ondrop-text-html.html
fast/events/drop-handler-should-not-stop-navigate.html
fast/events/dropzone-001.html
fast/events/dropzone-002.html
fast/events/dropzone-003.html
fast/events/dropzone-004.html
fast/events/dropzone-005.html
fast/events/drop-with-file-paths.html
fast/events/moving-text-should-fire-drop-and-dragend-events.html
fast/events/moving-text-should-fire-drop-and-dragend-events-2.html
# =========================================================================== #
# Failing HTTP tests. #
# =========================================================================== #
# No authentication challenge handling
http/tests/loading/authentication-after-redirect-stores-wrong-credentials/authentication-after-redirect-stores-wrong-credentials.html
http/tests/loading/basic-credentials-sent-automatically.html
http/tests/loading/basic-auth-resend-wrong-credentials.html
http/tests/misc/authentication-redirect-1/authentication-sent-to-redirect-cross-origin.html
http/tests/misc/authentication-redirect-2/authentication-sent-to-redirect-same-origin.html
http/tests/misc/authentication-redirect-3/authentication-sent-to-redirect-same-origin-with-location-credentials.html
# New http/tests/loading/post-in-iframe-with-back-navigation.html introduced in r116473 fails
# https://bugs.webkit.org/show_bug.cgi?id=85969
http/tests/loading/post-in-iframe-with-back-navigation.html
# Benign pixel differences except for:
# +selection start: position 0 of child 5 {IMG} of body
# +selection end: position 1 of child 5 {IMG} of body
# at end.
http/tests/security/dataTransfer-set-data-file-url.html
# Fails with a mysterious unrelated whitespace difference
# We should find out what dumpAsText() is doing wrong
http/tests/security/cross-frame-access-callback-explicit-domain-ALLOW.html
# Disabled HTTP subdirs for now, needs investigation.
http/tests/media
# --- Failing navigation tests
#CONSOLE MESSAGE: line 1: ReferenceError: Can't find variable: fillTestForm
#CONSOLE MESSAGE: line 1: ReferenceError: Can't find variable: scrollDocDown
http/tests/navigation/javascriptlink-goback.html
http/tests/navigation/metaredirect-goback.html
http/tests/navigation/timerredirect-goback.html
# Advanced credential handling
http/tests/security/401-logout/401-logout.php
http/tests/xmlhttprequest/remember-bad-password.html
# new test introduced in r94828, but fails on Qt.
# https://bugs.webkit.org/show_bug.cgi?id=66588
http/tests/security/xssAuditor/script-tag-with-16bit-unicode4.html
# Fails on non-Chromium bots
# https://bugs.webkit.org/show_bug.cgi?id=68278
http/tests/history/back-with-fragment-change.php
# new test introduced in r88958, but fail on Qt
# https://bugs.webkit.org/show_bug.cgi?id=62741
http/tests/appcache/video.html
# [Qt] New tests introduced in r84742 fail
# https://bugs.webkit.org/show_bug.cgi?id=59334
http/tests/misc/will-send-request-returns-null-on-redirect.html
http/tests/security/XFrameOptions/x-frame-options-deny.html
http/tests/security/XFrameOptions/x-frame-options-parent-same-origin-deny.html
# https://bugs.webkit.org/show_bug.cgi?id=56691
http/tests/inspector/network/network-size-chunked.html
http/tests/inspector/network/network-size-sync.html
# https://bugs.webkit.org/show_bug.cgi?id=65911
http/tests/inspector/resource-main-cookies.php
# [Qt]http/tests/workers/terminate-during-sync-operation.html fails intermittently
# https://bugs.webkit.org/show_bug.cgi?id=75614
http/tests/workers/terminate-during-sync-operation.html
# Needs custom policy delegate enhancement to log downloads
http/tests/download
# We cannot implement FrameLoaderClient::canHandleRequest() since QNAM doesn't know
# whether or not a given scheme is supported prior to createRequest().
# This means we will never reach FrameLoaderClient::dispatchUnableToImplementPolicy()
# due to spaceballs:// being an unhandled scheme, and thus the expected warning
# will not be in the output.
http/tests/misc/redirect-to-external-url.html
# [Qt] http/tests/cookies/js-get-and-set-http-only-cookie.html failing since introduction in r119947
# https://bugs.webkit.org/show_bug.cgi?id=87208
http/tests/cookies/js-get-and-set-http-only-cookie.html
# =========================================================================== #
# Failing xmlhttprequest tests #
# =========================================================================== #
# Skip xmlhttprequest tests - NETWORK_ERR: XMLHttpRequest Exception 101: A network error occured in synchronous requests.
http/tests/xmlhttprequest/logout.html
http/tests/xmlhttprequest/methods-async.html
http/tests/xmlhttprequest/workers/shared-worker-methods.html
http/tests/xmlhttprequest/cache-override.html
# [Qt] New http/tests/xmlhttprequest/xmlhttprequest-check-get-readystate-for-404-without-body.htm fails
# https://bugs.webkit.org/show_bug.cgi?id=86606
http/tests/xmlhttprequest/xmlhttprequest-check-get-readystate-for-404-without-body.html
# =========================================================================== #
# Failing editing/inserting tests. #
# =========================================================================== #
editing/inserting/typing-at-end-of-line.html
editing/inserting/insert-tab-003.html
# =========================================================================== #
# Failing editing/pasteboard tests. #
# =========================================================================== #
#------ safe to skip. Qt results same as chromium's. Mac drops the 'b' in the final bar,
#------ that looks like a bug.
editing/pasteboard/interchange-newline-2.html
# ----- Results appear correct but have suspicious rendertree differences.
editing/pasteboard/pasting-tabs.html
# ----- Rendertree results OK but differences in editing delegate message due to rendering.
# ----- This looks safe to unskip.
editing/pasteboard/paste-xml.xhtml
# [Qt] editing/pasteboard/data-transfer-items-image-png.html is failing due to DataTransferItems for image/png not being implemented
# https://bugs.webkit.org/show_bug.cgi?id=72430
editing/pasteboard/data-transfer-items-image-png.html
# ============================================================================= #
# Failing editing/deleting tests
# ============================================================================= #
# -- fail with --platform mac --ignore-metrics
editing/deleting/delete-tab-001.html
editing/deleting/delete-tab-002.html
editing/deleting/delete-tab-003.html
editing/deleting/delete-tab-004.html
# [Qt] editing/deleting/regional-indicators.html after r93068
# https://bugs.webkit.org/show_bug.cgi?id=66268
editing/deleting/regional-indicators.html
# =========================================================================== #
# Failing editing/selection tests. #
# =========================================================================== #
# -- fail with --platform mac --ignore-metrics
editing/selection/doubleclick-beside-cr-span.html
editing/selection/hit-test-anonymous.html
editing/selection/4895428-1.html
editing/selection/4895428-4.html
editing/selection/5232159.html
editing/selection/5333725.html
editing/selection/contains-boundaries.html
editing/selection/designmode-no-caret.html
editing/selection/drag-to-contenteditable-iframe.html
editing/selection/fake-drag.html
editing/selection/select-from-textfield-outwards.html
editing/selection/move-left-right.html
editing/selection/move-past-trailing-space.html
# [Qt] editing tests fails after r54980
# https://bugs.webkit.org/show_bug.cgi?id=35145
editing/selection/extend-after-mouse-selection.html
# stderr
editing/selection/editable-links.html
editing/selection/drag-text-delay.html
# https://bugs.webkit.org/show_bug.cgi?id=38656
editing/selection/shift-click.html
# -- pass with --platform mac --ignore-metrics
editing/selection/extend-selection-bidi.html
editing/selection/caret-rtl-2.html
editing/selection/caret-rtl.html
# https://bugs.webkit.org/show_bug.cgi?id=41918
editing/selection/5195166-1.html
# https://bugs.webkit.org/show_bug.cgi?id=66431
editing/selection/collapse-selection-in-bidi.html
# [Qt] editing/selection/move-vertically-with-paddings-borders.html fails
# https://bugs.webkit.org/show_bug.cgi?id=62821
editing/selection/move-vertically-with-paddings-borders.html
# editing/selection/select-bidi-run.html fails on Qt
# https://bugs.webkit.org/show_bug.cgi?id=68854
editing/selection/select-bidi-run.html
# [Qt] REGRESSION (r71465): editing/selection/after-line-break.html fails
# https://bugs.webkit.org/show_bug.cgi?id=49127
editing/selection/after-line-break.html
# [Qt]REGRESSION(r78846): editing/selection/mixed-editability-10.html
# https://bugs.webkit.org/show_bug.cgi?id=54725
editing/selection/mixed-editability-10.html
# ============================================================================= #
# Failing editing/spelling tests
# ============================================================================= #
# Need to dump context menu items on eventSender.contextClick(true).
# https://bugs.webkit.org/show_bug.cgi?id=39103
editing/spelling/context-menu-suggestions.html
# -- fail with --platform mac --ignore-metrics
editing/spelling/inline_spelling_markers.html
editing/spelling/spelling-linebreak.html
# -- pass with --platform mac --ignore-metrics
editing/spelling/spellcheck-attribute.html
editing/spelling/spelling.html
# Needs grammar checking.
editing/spelling/markers.html
# https://bugs.webkit.org/show_bug.cgi?id=45435
editing/spelling/spelling-backspace-between-lines.html
editing/spelling/spelling-attribute-change.html
editing/spelling/spelling-attribute-at-child.html
# EditorClient::requestCheckingOfString() is not implemented
editing/spelling/spellcheck-paste.html
editing/spelling/spellcheck-paste-disabled.html
editing/spelling/spellcheck-queue.html
editing/spelling/spellcheck-sequencenum.html
editing/spelling/spellcheck-async-mutation.html
# EditorClient::checkTextOfParagraph() is not implemented
editing/spelling/spelling-marker-description.html
# [Qt][GTK] editing/spelling/spellcheck-async.html fails
# https://bugs.webkit.org/show_bug.cgi?id=73003
editing/spelling/spellcheck-async.html
# [Qt] editing/spelling/spelling-insert-html.html fails
# https://bugs.webkit.org/show_bug.cgi?id=66619
editing/spelling/spelling-insert-html.html
# [Qt] new test editing/spelling/spelling-unified-emulation.html is failing
# https://bugs.webkit.org/show_bug.cgi?id=72251
editing/spelling/spelling-unified-emulation.html
# [Qt] new editing/spelling/grammar-edit-word.html fails
# https://bugs.webkit.org/show_bug.cgi?id=89199
editing/spelling/grammar-edit-word.html
# =========================================================================== #
# Failing plugins tests. #
# =========================================================================== #
# ---- https://bugs.webkit.org/show_bug.cgi?id=36721
plugins/get-url-with-blank-target.html
# ---- plugins rendered in incorrect position ?
plugins/embed-attributes-style.html
# https://bugs.webkit.org/show_bug.cgi?id=60722
http/tests/plugins/plugin-document-has-focus.html
# [Qt] plugins/netscape-plugin-page-cache-works.html fails
# https://bugs.webkit.org/show_bug.cgi?id=74482
plugins/netscape-plugin-page-cache-works.html
# https://bugs.webkit.org/show_bug.cgi?id=82020
plugins/netscape-dom-access-and-reload.html
# [Qt][GTK] New plugin tests introduced in r117012 fails/crashes
# https://bugs.webkit.org/show_bug.cgi?id=86443
plugins/npruntime/delete-plugin-within-hasProperty-return-false.html
plugins/npruntime/delete-plugin-within-hasProperty-return-true.html
plugins/npruntime/delete-plugin-within-setProperty.html
plugins/npruntime/delete-plugin-within-getProperty.html
plugins/npruntime/delete-plugin-within-invoke.html
# =========================================================================== #
# Failing Sputnik tests #
# =========================================================================== #
# [Qt] 4 sputnik/Unicode/Unicode_510/* tests fail
# https://bugs.webkit.org/show_bug.cgi?id=88522
sputnik/Unicode/Unicode_510/S7.6_A3.1.html
sputnik/Unicode/Unicode_510/S7.6_A3.2.html
sputnik/Unicode/Unicode_510/S7.6_A5.3_T1.html
sputnik/Unicode/Unicode_510/S7.6_A5.3_T2.html
# [Qt] 2 math sputnik test fail on 32 bit
# https://bugs.webkit.org/show_bug.cgi?id=88519
sputnik/Conformance/15_Native_Objects/15.8_Math/15.8.2/15.8.2.16_sin/S15.8.2.16_A7.html
sputnik/Conformance/15_Native_Objects/15.8_Math/15.8.2/15.8.2.18_tan/S15.8.2.18_A7.html
# =========================================================================== #
# Fluctuating/flakey tests
# =========================================================================== #
fast/frames/sandboxed-iframe-plugins.html
http/tests/cookies/simple-cookies-max-age.html
# http/tests/inspector/resource-har-conversion.html is failing on the release bot after r63191
# webkit.org/b/42162
http/tests/inspector/resource-har-conversion.html
# [Qt] Some inspector test fail intermittently
# https://bugs.webkit.org/show_bug.cgi?id=42090
http/tests/inspector/network/network-size.html
# Tests that currently fail but perhaps used to work at some point.
fast/dom/open-and-close-by-DOM.html
fast/dom/Window/new-window-opener.html
fast/forms/001.html
fast/forms/focus2.html
fast/frames/001.html
fast/text/monospace-width-cache.html
# Tests that fail randomly. Is this style related?
fast/forms/listbox-width-change.html
fast/forms/plaintext-mode-2.html
fast/forms/menulist-width-change.html
# [Qt] http/tests/misc/link-rel-icon-beforeload.html is flakey
# https://bugs.webkit.org/show_bug.cgi?id=63518
http/tests/misc/link-rel-icon-beforeload.html
# https://bugs.webkit.org/show_bug.cgi?id=64002
fast/selectors/unqualified-hover-strict.html
# http/tests/websocket/tests/hybi/workers/close.html is flaky
# https://bugs.webkit.org/show_bug.cgi?id=89153
http/tests/websocket/tests/hybi/workers/close.html
# New test added for https://bugs.webkit.org/show_bug.cgi?id=98452 needs platform specific results
fast/text/vertical-rl-rtl-linebreak.html
# =========================================================================== #
# failing media tests
# =========================================================================== #
# [Qt] media tests are flakey
# https://bugs.webkit.org/show_bug.cgi?id=57983
media
# https://bugs.webkit.org/show_bug.cgi?id=38376
media/media-document-audio-size.html
media/invalid-media-url-crash.html
# [Qt] media/media-can-play-ogg.html crashes intermittently on the bot
# https://bugs.webkit.org/show_bug.cgi?id=39481
media/audio-only-video-intrinsic-size.html
# [Qt] media/controls-without-preload.html is flakey
# https://bugs.webkit.org/show_bug.cgi?id=55028
media/controls-without-preload.html
# and https://bugs.webkit.org/show_bug.cgi?id=45021
media/context-menu-actions.html
media/audio-controls-rendering.html
media/video-currentTime.html
media/audio-data-url.html
media/audio-delete-while-slider-thumb-clicked.html
media/audio-delete-while-step-button-clicked.html
media/audio-mpeg-supported.html
media/audio-mpeg4-supported.html
media/audio-no-installed-engines.html
media/controls-after-reload.html
media/controls-drag-timebar.html
media/controls-right-click-on-timebar.html
media/controls-strict.html
media/controls-styling.html
media/event-attributes.html
media/media-captions.html
media/media-fullscreen-inline.html
media/media-fullscreen-not-in-document.html
media/media-load-event.html
media/unsupported-rtsp.html
media/video-aspect-ratio.html
media/video-autoplay.html
media/video-canvas-source.html
media/video-canvas-alpha.html
media/video-click-dblckick-standalone.html
media/video-controls-rendering.html
media/video-controls-transformed.html
media/video-controls-visible-audio-only.html
media/video-controls-zoomed.html
media/video-currentTime-set.html
media/video-display-aspect-ratio.html
media/video-display-toggle.html
media/video-document-types.html
media/video-duration-known-after-eos.html
media/video-element-other-namespace-crash.html
media/video-empty-source.html
media/video-layer-crash.html
media/video-load-networkState.html
media/video-loop.html
media/video-no-audio.html
media/video-pause-empty-events.html
media/video-pause-immediately.html
media/video-played-collapse.html
media/video-played-ranges-1.html
media/video-played-reset.html
media/video-play-empty-events.html
media/video-replaces-poster.html
media/video-reverse-play-duration.html
media/video-seeking.html
media/video-seek-past-end-paused.html
media/video-seek-past-end-playing.html
media/video-size.html
media/video-size-intrinsic-scale.html
media/video-source-error.html
media/video-source-error-no-candidate.html
media/video-source-type.html
media/video-source-type-params.html
media/video-timeupdate-during-playback.html
media/video-timeupdate-reverse-play.html
media/video-transformed.html
media/video-volume-slider.html
media/video-width-height.html
media/video-zoom-controls.html
media/video-zoom.html
# This test requires flac codec
media/media-can-play-flac-audio.html
# Video size reported as 0,0 due to how size-hints are reported by QtMultimedia
media/video-poster-delayed.html
# Test specific to QuickTime media engine
media/video-does-not-loop.html
# https://bugs.webkit.org/show_bug.cgi?id=45093
media/media-can-play-mpeg4-video.html
# https://bugs.webkit.org/show_bug.cgi?id=48617
media/video-seek-by-small-increment.html
# requires video.buffered to be able to return multiple timeranges
http/tests/media/video-buffered.html
# https://bugs.webkit.org/show_bug.cgi?id=46966
# [Qt] fast/media/color-does-not-include-alpha.html fails
fast/media/color-does-not-include-alpha.html
# [Qt] LayoutTests/media/video-currentTime-delay.html fails
# https://bugs.webkit.org/show_bug.cgi?id=52859
media/video-currentTime-delay.html
# [Qt] media/video-frame-accurate-seek.html fails
# https://bugs.webkit.org/show_bug.cgi?id=53843
media/video-frame-accurate-seek.html
# [Qt] Generate results for media/audio-repaint.html and media/media-document-audio-repaint.html
# https://bugs.webkit.org/show_bug.cgi?id=54984
media/audio-repaint.html
media/media-document-audio-repaint.html
# [Qt] media/video-playbackrate.html fails
# https://bugs.webkit.org/show_bug.cgi?id=57476
media/video-playbackrate.html
# ============================================================================= #
# Crashing tests due to re-enabled Phonon support in Buildbot's Qt #
# Skip these until a proper solution for the Phonon related crashes found. #
# ============================================================================= #
#reproducible command: WebKitTools/Scripts/run-webkit-tests fast/runin/nonblock-runin.html fast/table/
#crashed: fast/table/"random_test"
#crasher:
fast/runin/nonblock-runin.html
#reproducible command: WebKitTools/Scripts/run-webkit-tests http/tests/security/local-video-source-from-remote.html http/tests/security/local-video-src-from-remote.html
#crashed: http/tests/security/local-video-src-from-remote.html
#crasher:
http/tests/security/local-video-source-from-remote.html
# ============================================================================= #
# Missing features in our DumpRenderTree implementation #
# ============================================================================= #
# DumpRenderTree code to enable Java is currently a no-op
java
# Missing DRT ability to override 'standard' preferences.
fast/dom/Window/timer-resume-on-navigation-back.html
loader/go-back-to-different-window-size.html
# Missing layoutTestController.findString() http://webkit.org/b/50236
editing/text-iterator/findString.html
# Missing layoutTestController.testRepaint()
fast/images/repaint-subrect-grid.html
fast/repaint/table-writing-modes-h.html
fast/repaint/table-writing-modes-v.html
fast/repaint/text-emphasis-h.html
fast/repaint/text-emphasis-v.html
fast/repaint/background-clip-text.html
svg/repaint/filter-repaint.svg
# Needs layoutTestController.enableAutoResizeMode()
fast/autoresize
# Needs layoutTestController.setBackingScaleFactor()
editing/spelling/grammar-markers-hidpi.html
editing/spelling/inline-spelling-markers-hidpi.html
fast/canvas/2d.backingStorePixelRatio.html
fast/canvas/2d.imageDataHD.html
svg/as-image/svg-as-image-canvas.html
# This requires didClearWindowObjectForFrameInIsolatedWorld foo in FrameLoaderClient
http/tests/security/isolatedWorld/didClearWindowObject.html
# This needs more investigation
http/tests/security/isolatedWorld/world-reuse.html
# ------- missing ruby annotation support for japanese fonts
fast/ruby/ruby-beforeafter.html
fast/ruby/ruby-empty-rt.html
fast/ruby/ruby-length.html
fast/ruby/ruby-run-break.html
fast/ruby/ruby-runs-spans.html
fast/ruby/ruby-runs.html
fast/ruby/ruby-simple-rp.html
fast/ruby/ruby-simple.html
fast/ruby/ruby-trailing.html
# [Qt] http/tests/misc/favicon-loads-with-icon-loading-override.html fails
# https://bugs.webkit.org/show_bug.cgi?id=58396
http/tests/misc/favicon-loads-with-icon-loading-override.html
# Missing textInputController.firstRectForCharacterRange()
editing/inserting/caret-position.html
fast/dom/tab-in-right-alignment.html
svg/text/caret-in-svg-text.xhtml
# textInputController.hasMarkedText() is not implemented.
editing/input/setting-input-value-cancel-ime-composition.html
# textInputController.hasSpellingMarkers() is not implemented.
editing/spelling/spelling-hasspellingmarker.html
# textInputController.hasGrammarMarkers() is not implemented.
editing/spelling/grammar.html
editing/spelling/grammar-paste.html
# textInputController.setComposition() is not implemented
fast/forms/input-set-composition-scroll.html
# Need to call Settings::setValidationMessageTimerMagnification(-1) in DRT.
fast/forms/validation-message-appearance.html
fast/forms/validation-message-clone.html
fast/forms/validation-message-in-relative-body.html
fast/forms/validation-message-on-checkbox.html
fast/forms/validation-message-on-listbox.html
fast/forms/validation-message-on-menulist.html
fast/forms/validation-message-on-radio.html
fast/forms/validation-message-on-range.html
fast/forms/validation-message-on-textarea.html
fast/forms/validation-message-user-modify.html
# LayoutTestController::clearApplicationCacheForOrigin is not implemented
http/tests/appcache/origin-delete.html
# LayoutTestController::getOriginsWithApplicationCache is not implemented
http/tests/appcache/origins-with-appcache.html
# LayoutTestController::applicationCacheDiskUsageForOrigin isn't implemented - https://bugs.webkit.org/show_bug.cgi?id=57127
http/tests/appcache/origin-usage.html
# LayoutTestController::setUseDeferredFrameLoading is not implemented
http/tests/appcache/load-from-appcache-defer-resume-crash.html
# For https://bugs.webkit.org/show_bug.cgi?id=50758
# These require DRT setSerializeHTTPLoads implementation to be reliable.
http/tests/local/link-stylesheet-load-order.html
http/tests/local/link-stylesheet-load-order-preload.html
fast/preloader/document-write.html
fast/preloader/document-write-2.html
# ERROR: LayoutTestController::overridePreference() does not support the 'WebKitPageCacheSupportsPluginsPreferenceKey' preference
# http://trac.webkit.org/changeset/106305
plugins/crash-restoring-plugin-page-from-page-cache.html
# ERROR: TestRunner::overridePreference() does not support the 'WebKitCSSCustomFilterEnabled' preference
css3/filters/custom/custom-filter-shader-cache.html
css3/filters/custom/effect-color-check.html
css3/filters/custom/effect-custom-combined-missing.html
css3/filters/custom/effect-custom.html
css3/filters/custom/effect-custom-parameters.html
css3/filters/custom/filter-repaint-custom-clipped.html
css3/filters/custom/filter-repaint-custom-rotated.html
css3/filters/custom/filter-repaint-custom.html
# ReferenceError: Can't find variable: MediaKeyError
# http://trac.webkit.org/changeset/114067
fast/events/constructors/media-key-event-constructor.html
# missing testRunner.setStorageDatabaseIdleInterval() implementation
storage/domstorage/storage-close-database-on-idle.html
# Missing targetDiv1.webkitRequestFullscreen() implementation
# https://bugs.webkit.org/show_bug.cgi?id=92078
http/tests/fullscreen/fullscreenelement-different-origin.html
http/tests/fullscreen/fullscreenelement-same-origin.html
# ============================================================================= #
# Failing SVG tests
# ============================================================================= #
svg/batik/filters/feTile.svg
svg/dom/length-list-parser.html
svg/css/group-with-shadow.svg
svg/filters/big-sized-filter-2.svg
svg/filters/big-sized-filter.svg
svg/filters/feDisplacementMap.svg
svg/filters/filterRes.svg
svg/css/composite-shadow-example.html
svg/css/composite-shadow-with-opacity.html
# --- to be reviewed
svg/batik/paints/gradientLimit.svg
svg/batik/text/textLayout.svg
svg/batik/text/textOnPathSpaces.svg
svg/batik/text/textStyles.svg
svg/batik/text/verticalText.svg
svg/batik/text/xmlSpace.svg
svg/custom/hit-test-with-br.xhtml
svg/custom/feComponentTransfer-Discrete.svg
svg/custom/feComponentTransfer-Gamma.svg
svg/custom/feComponentTransfer-Linear.svg
svg/custom/feComponentTransfer-Table.svg
svg/custom/feDisplacementMap-01.svg
svg/custom/js-late-pattern-and-object-creation.svg
svg/custom/js-late-pattern-creation.svg
svg/custom/junk-data.svg
svg/custom/missing-xlink.svg
svg/custom/path-bad-data.svg
svg/custom/visibility-override-filter.svg
svg/custom/stroke-width-click.svg
svg/W3C-SVG-1.1/animate-elem-80-t.svg
svg/W3C-SVG-1.1/coords-viewattr-01-b.svg
svg/W3C-SVG-1.1/coords-viewattr-02-b.svg
svg/W3C-SVG-1.1/filters-image-01-b.svg
svg/W3C-SVG-1.1/filters-offset-01-b.svg
svg/W3C-SVG-1.1/fonts-desc-02-t.svg
svg/W3C-SVG-1.1/fonts-glyph-04-t.svg
svg/W3C-SVG-1.1/metadata-example-01-b.svg
svg/W3C-SVG-1.1/paths-data-10-t.svg
svg/W3C-SVG-1.1/shapes-polyline-01-t.svg
svg/W3C-SVG-1.1/struct-cond-02-t.svg
svg/hixie/cascade/002.xml
svg/hixie/data-types/002.xhtml
svg/hixie/error/012.xml
# --- missing test fonts
svg/W3C-I18N/g-dirLTR-ubNone.svg
svg/W3C-I18N/g-dirLTR-ubOverride.svg
svg/W3C-I18N/g-dirRTL-ubNone.svg
svg/W3C-I18N/g-dirRTL-ubOverride.svg
svg/W3C-I18N/text-anchor-dirLTR-anchorEnd.svg
svg/W3C-I18N/text-anchor-dirLTR-anchorMiddle.svg
svg/W3C-I18N/text-anchor-dirLTR-anchorStart.svg
svg/W3C-I18N/text-anchor-dirNone-anchorEnd.svg
svg/W3C-I18N/text-anchor-dirNone-anchorMiddle.svg
svg/W3C-I18N/text-anchor-dirNone-anchorStart.svg
svg/W3C-I18N/text-anchor-dirRTL-anchorEnd.svg
svg/W3C-I18N/text-anchor-dirRTL-anchorMiddle.svg
svg/W3C-I18N/text-anchor-dirRTL-anchorStart.svg
svg/W3C-I18N/text-anchor-inherited-dirLTR-anchorEnd.svg
svg/W3C-I18N/text-anchor-inherited-dirLTR-anchorMiddle.svg
svg/W3C-I18N/text-anchor-inherited-dirLTR-anchorStart.svg
svg/W3C-I18N/text-anchor-inherited-dirRTL-anchorEnd.svg
svg/W3C-I18N/text-anchor-inherited-dirRTL-anchorMiddle.svg
svg/W3C-I18N/text-anchor-inherited-dirRTL-anchorStart.svg
svg/W3C-I18N/text-anchor-no-markup.svg
svg/W3C-I18N/text-dirLTR-ubNone.svg
svg/W3C-I18N/text-dirLTR-ubOverride.svg
svg/W3C-I18N/text-dirRTL-ubNone.svg
svg/W3C-I18N/text-dirRTL-ubOverride.svg
svg/W3C-I18N/tspan-dirLTR-ubEmbed-in-rtl-context.svg
svg/W3C-I18N/tspan-dirLTR-ubNone-in-rtl-context.svg
svg/W3C-I18N/tspan-dirLTR-ubOverride-in-default-context.svg
svg/W3C-I18N/tspan-dirLTR-ubOverride-in-ltr-context.svg
svg/W3C-I18N/tspan-dirLTR-ubOverride-in-rtl-context.svg
svg/W3C-I18N/tspan-dirNone-ubOverride-in-default-context.svg
svg/W3C-I18N/tspan-dirNone-ubOverride-in-ltr-context.svg
svg/W3C-I18N/tspan-dirNone-ubOverride-in-rtl-context.svg
svg/W3C-I18N/tspan-dirRTL-ubEmbed-in-default-context.svg
svg/W3C-I18N/tspan-dirRTL-ubEmbed-in-ltr-context.svg
svg/W3C-I18N/tspan-dirRTL-ubNone-in-default-context.svg
svg/W3C-I18N/tspan-dirRTL-ubNone-in-ltr-context.svg
svg/W3C-I18N/tspan-dirRTL-ubOverride-in-default-context.svg
svg/W3C-I18N/tspan-dirRTL-ubOverride-in-ltr-context.svg
svg/W3C-I18N/tspan-dirRTL-ubOverride-in-rtl-context.svg
svg/W3C-I18N/tspan-direction-ltr.svg
svg/W3C-I18N/tspan-direction-rtl.svg
svg/W3C-SVG-1.1/text-fonts-01-t.svg
svg/W3C-SVG-1.1/text-intro-05-t.svg
svg/W3C-SVG-1.1/text-tselect-02-f.svg
svg/W3C-SVG-1.1-SE/text-intro-02-b.svg
svg/W3C-SVG-1.1-SE/text-intro-05-t.svg
svg/W3C-SVG-1.1-SE/text-intro-09-b.svg
svg/text/bidi-reorder-value-lists.svg
svg/text/bidi-text-anchor-direction.svg
svg/text/bidi-text-query.svg
svg/text/bidi-tspans.svg
svg/text/text-fonts-01-t.svg
svg/text/text-intro-05-t.svg
svg/text/text-tselect-02-f.svg
webkit.org/b/98718 svg/animations/animate-css-xml-attributeType.html [ Failure Pass ]
# [Qt] svg/animations/animate-path-nested-transforms.html fails
# https://bugs.webkit.org/show_bug.cgi?id=48987
svg/animations/animate-path-nested-transforms.html
svg/animations/animate-text-nested-transforms.html
# [Qt] svg/W3C-SVG-1.1-SE/styling-pres-02-f.svg fails
# https://bugs.webkit.org/show_bug.cgi?id=65266
svg/W3C-SVG-1.1-SE/styling-pres-02-f.svg
# REGRESSION (r91125): Google Drawings is broken
# https://bugs.webkit.org/show_bug.cgi?id=65257
svg/custom/zero-path-square-cap-rendering2.svg
# Assumes spesific metrics
# See http://code.google.com/p/chromium/issues/detail?id=19897
svg/custom/getscreenctm-in-mixed-content2.xhtml
# [Qt] svg/custom/svg-fonts-no-latin-glyph.html fails
# https://bugs.webkit.org/show_bug.cgi?id=74847
svg/custom/svg-fonts-no-latin-glyph.html
# [Qt]REGRESSION? (r67762): 23 layout tests fail
# https://bugs.webkit.org/show_bug.cgi?id=46093
svg/custom/use-font-face-crash.svg
svg/zoom/text/zoom-coords-viewattr-01-b.svg
# Issue related to hit testing
# https://bugs.webkit.org/show_bug.cgi?id=86971
svg/custom/non-scaling-stroke.svg
# [Qt] fontCache related assertion revealed by r105143
# https://bugs.webkit.org/show_bug.cgi?id=76534
svg/carto.net/combobox.svg
# [Qt] svg/custom/getBBox-path.svg fails
# https://bugs.webkit.org/show_bug.cgi?id=71766
svg/custom/getBBox-path.svg
#[Qt] New svg/hittest tests introduced in r106882 fail
#https://bugs.webkit.org/show_bug.cgi?id=77964
svg/hittest/zero-length-round-cap-path.xhtml
svg/hittest/zero-length-square-cap-path.xhtml
# [Qt] svg/zoom/page/zoom-coords-viewattr-01-b.svg fails
# https://bugs.webkit.org/show_bug.cgi?id=78128
svg/zoom/page/zoom-coords-viewattr-01-b.svg
# Crashes due to debug assert until we fix issues with style elements in SVG
svg/custom/use-referencing-style-crash.svg
# [Qt] svg/text/text-rescale.html fails
# https://bugs.webkit.org/show_bug.cgi?id=79451
svg/text/text-rescale.html
# [Qt] svg/animations tests are very flaky
# https://bugs.webkit.org/show_bug.cgi?id=80703
svg/animations/animate-elem-08-t-drt.html
# [Qt] Diverging test results on 32/64 bit architectures
# https://bugs.webkit.org/show_bug.cgi?id=82601
fast/repaint/moving-shadow-on-container.html
fast/repaint/moving-shadow-on-path.html
svg/W3C-SVG-1.1/paths-data-03-f.svg
svg/css/stars-with-shadow.html
svg/custom/use-on-symbol-inside-pattern.svg
svg/batik/text/longTextOnPath.svg
svg/carto.net/tabgroup.svg
# [Qt] svg/css/text-gradient-shadow.svg fails
# https://bugs.webkit.org/show_bug.cgi?id=92734
svg/css/text-gradient-shadow.svg
# These files need new expectations after changing the behavrior from radiaGradients to SVG2
webkit.org/b/98569 svg/W3C-SVG-1.1-SE/styling-pres-02-f.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1-SE/svgdom-over-01-f.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/coords-units-01-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-02-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-04-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-05-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-06-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-11-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-12-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-13-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-14-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-15-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/struct-use-05-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/styling-inherit-01-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/batik/paints/gradientLimit.svg [ Failure Pass ]
webkit.org/b/98569 svg/batik/paints/patternRegions-positioned-objects.svg [ Failure Pass ]
webkit.org/b/98569 svg/batik/paints/patternRegions.svg [ Failure Pass ]
webkit.org/b/98569 svg/batik/text/textEffect.svg [ Failure Pass ]
webkit.org/b/98569 svg/batik/text/textEffect3.svg [ Failure Pass ]
webkit.org/b/98569 svg/hixie/perf/006.xml [ Failure Pass ]
webkit.org/b/98569 svg/custom/relative-sized-content-with-resources.xhtml [ Failure Pass ]
webkit.org/b/98569 svg/custom/stroked-pattern.svg [ Failure Pass ]
webkit.org/b/98569 svg/custom/gradient-deep-referencing.svg [ Failure Pass ]
webkit.org/b/98569 svg/custom/radial-gradient-with-outstanding-focalPoint.svg [ Failure Pass ]
webkit.org/b/98569 svg/custom/radialGradient-focal-radius.svg [ Failure Pass ]
webkit.org/b/98569 svg/custom/gradient-with-1d-boundingbox.svg [ Failure Pass ]
webkit.org/b/98569 svg/custom/recursive-gradient.svg [ Failure Pass ]
# These files need new expectations after changing the behavrior from radiaGradients to SVG2
webkit.org/b/98569 svg/W3C-SVG-1.1-SE/styling-pres-02-f.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1-SE/svgdom-over-01-f.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/coords-units-01-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-02-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-04-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-05-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-06-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-11-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-12-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-13-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-14-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/pservers-grad-15-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/struct-use-05-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/W3C-SVG-1.1/styling-inherit-01-b.svg [ Failure Pass ]
webkit.org/b/98569 svg/batik/paints/gradientLimit.svg [ Failure Pass ]
webkit.org/b/98569 svg/batik/paints/patternRegions-positioned-objects.svg [ Failure Pass ]
webkit.org/b/98569 svg/batik/paints/patternRegions.svg [ Failure Pass ]
webkit.org/b/98569 svg/batik/text/textEffect.svg [ Failure Pass ]
webkit.org/b/98569 svg/batik/text/textEffect3.svg [ Failure Pass ]
webkit.org/b/98569 svg/hixie/perf/006.xml [ Failure Pass ]
webkit.org/b/98569 svg/custom/relative-sized-content-with-resources.xhtml [ Failure Pass ]
webkit.org/b/98569 svg/custom/stroked-pattern.svg [ Failure Pass ]
webkit.org/b/98569 svg/custom/gradient-deep-referencing.svg [ Failure Pass ]
webkit.org/b/98569 svg/custom/radial-gradient-with-outstanding-focalPoint.svg [ Failure Pass ]
webkit.org/b/98569 svg/custom/radialGradient-focal-radius.svg [ Failure Pass ]
webkit.org/b/98569 svg/custom/gradient-with-1d-boundingbox.svg [ Failure Pass ]
webkit.org/b/98569 svg/custom/recursive-gradient.svg [ Failure Pass ]
# ============================================================================= #
# Failing CSS Tests
# ============================================================================= #
css2.1/t051201-c23-first-line-00-b.html [ Failure ]
css2.1/t1004-c43-rpl-ibx-00-d-ag.html [ Failure ]
css2.1/t100801-c544-valgn-01-d-ag.html [ Failure ]
css2.1/t100801-c548-ln-ht-02-b-ag.html [ Failure ]
css2.1/t1008-c44-ln-box-02-d-ag.html [ Failure ]
css2.1/t1202-counters-04-b.html [ Failure ]
css2.1/t1601-c547-indent-00-b-a.html [ Failure ]
css2.1/t1602-c43-center-00-d-ag.html [ Failure ]
css2.1/t1604-c542-letter-sp-00-b-a.html [ Failure ]
css2.1/t1604-c542-letter-sp-01-b-a.html [ Failure ]
css2.1/t1605-c545-txttrans-00-b-ag.html [ Failure ]
css2.1/t140201-c534-bgreps-00-c-ag.html [ Failure ]
css2.1/t140201-c534-bgreps-01-c-ag.html [ Failure ]
css2.1/t140201-c534-bgreps-02-c-ag.html [ Failure ]
css2.1/t140201-c534-bgreps-03-c-ag.html [ Failure ]
css2.1/t140201-c534-bgreps-04-c-ag.html [ Failure ]
css2.1/t140201-c534-bgreps-05-c-ag.html [ Failure ]
# [Qt] css2.1/20110323/inline-non-replaced-height-* tests are missing baselines
# https://bugs.webkit.org/show_bug.cgi?id=62710
css2.1/20110323/inline-non-replaced-height-002.htm [ Missing ]
css2.1/20110323/inline-non-replaced-height-003.htm [ Missing ]
# [Qt] css2.1/t090204-display-change-01-b-ao.html fails after r94084
# https://bugs.webkit.org/show_bug.cgi?id=67286
css2.1/t090204-display-change-01-b-ao.html [ Failure ]
# new tests introduced in r94775, but fails on Qt because of missing test font
css3/unicode-bidi-isolate-aharon.html
css3/unicode-bidi-isolate-basic.html
# [Qt] CSS3 hardware accelerated Brightness and contrast filters fails
# https://bugs.webkit.org/show_bug.cgi?id=76785
css3/filters/effect-brightness-hw.html
css3/filters/effect-contrast-hw.html
# [Qt] New css3/flexbox/flexitem.html fails
# https://bugs.webkit.org/show_bug.cgi?id=88963
css3/flexbox/flexitem.html
# Stuff Kling broke while happy-hacking DRT (r84010, r84012)
fast/css/font-face-repeated-url.html
# new test introduced in r94696, but fails on Qt.
# https://bugs.webkit.org/show_bug.cgi?id=67772
fast/css/line-after-floating-div.html
# [Qt] The square-button-appearance test is wrong
# https://bugs.webkit.org/show_bug.cgi?id=67128
fast/css/square-button-appearance.html
# [Qt] fast/css/absolute-inline-alignment.html fails
# https://bugs.webkit.org/show_bug.cgi?id=75400
fast/css/absolute-inline-alignment.html
fast/css/absolute-inline-alignment-2.html
# [Qt] css2.1/t100801-c548-ln-ht-01-b-ag.html is missing baseline
# https://bugs.webkit.org/show_bug.cgi?id=92731
css2.1/t100801-c548-ln-ht-01-b-ag.html [ Missing ]
# ============================================================================= #
# failing fast tests
# ============================================================================= #
# [Qt] fast/ruby/overhang* tests fail
# https://bugs.webkit.org/show_bug.cgi?id=57824
fast/ruby/overhang-vertical.html
# This test fails because Qt does not support conditionals in unicode special casing.
# See also http://trolltech.com/developer/task-tracker/index_html?id=212870&method=entry
fast/css/case-transform.html
# New test hangs QT bot
# Discussed in https://bugs.webkit.org/show_bug.cgi?id=38928
fast/loader/recursive-before-unload-crash.html
# New test flakey on Qt Linux Release introduced in r113086
# https://bugs.webkit.org/show_bug.cgi?id=83057
fast/dom/inline-event-attributes-release.html
# Final four tests before Qt buildbot is green
# https://bugs.webkit.org/show_bug.cgi?id=27914
# This port doesn't support detecting slow unload handlers.
fast/dom/Window/slow-unload-handler.html
fast/dom/Window/slow-unload-handler-only-frame-is-stopped.html
# Need rebaseline: https://bugs.webkit.org/show_bug.cgi?id=26830
fast/multicol/single-line.html
# validationMessage: https://bugs.webkit.org/show_bug.cgi?id=27959
fast/forms/validationMessage.html
fast/css/color-correction-on-background-image.html
fast/css/color-correction-on-backgrounds.html
fast/css/color-correction-on-box-shadow.html
fast/css/color-correction-on-text-shadow.html
fast/css/color-correction-on-text.html
fast/css/color-correction-untagged-images.html
fast/css/color-correction.html
fast/block/positioning/relative-positioned-inline-container.html
fast/repaint/block-selection-gap-in-composited-layer.html
fast/repaint/block-selection-gap-in-table-cell.html
fast/repaint/block-selection-gap-stale-cache-2.html
fast/repaint/block-selection-gap-stale-cache.html
fast/repaint/inline-overflow.html
fast/repaint/inline-relative-positioned.html
# Relies on WebKit API [WebView _loadBackForwardListFromOtherView:]
fast/loader/crash-copying-backforwardlist.html
# Slider tests that need new results
fast/forms/range/slider-thumb-shared-style.html
fast/forms/range/slider-thumb-stylability.html
fast/forms/range/slider-zoomed.html
# https://bugs.webkit.org/show_bug.cgi?id=35973
fast/multicol/hit-test-above-or-below.html
# Not sure why this is failing on Qt.
# https://bugs.webkit.org/show_bug.cgi?id=37697
fast/url/host.html
# -- fail with --platform mac --ignore-metrics
fast/box-sizing/percentage-height.html
fast/dom/focus-contenteditable.html
fast/dom/isindex-002.html
# seems to trigger some bugs/missing features in QTextCodec
# QUrl::from/toACE seems to be stricter than what ICU does.
fast/encoding/idn-security.html
fast/encoding/xmacroman-encoding-test.html
fast/events/autoscroll.html
fast/events/content-changed-during-drop.html
fast/events/js-keyboard-event-creation.html
fast/events/keypress-insert-tab.html
fast/events/ondragenter.html
fast/events/standalone-image-drag-to-editable.html
fast/events/updateLayoutForHitTest.html
fast/forms/drag-into-textarea.html
fast/forms/input-readonly-autoscroll.html
fast/forms/input-text-click-outside.html
fast/forms/input-text-drag-down.html
fast/forms/input-text-scroll-left-on-blur.html
fast/forms/listbox-onchange.html
fast/forms/listbox-selection-2.html
fast/forms/listbox-selection.html
fast/forms/onselect-textarea.html
fast/forms/select-writing-direction-natural.html
fast/forms/tabbing-input-iframe.html
fast/forms/textAreaLineHeight.html
fast/forms/textarea-scroll-height.html
fast/forms/textarea-scrollbar.html
fast/forms/textarea-scrolled-type.html
fast/invalid/missing-end-tag.xhtml
fast/invalid/residual-style.html
fast/js/string-capitalization.html
fast/lists/drag-into-marker.html
fast/overflow/clip-rects-fixed-ancestor.html
fast/overflow/overflow-rtl.html
fast/overflow/overflow-x-y.html
fast/overflow/scroll-nested-positioned-layer-in-overflow.html
fast/overflow/scrollRevealButton.html
fast/parser/external-entities.xml
fast/parser/xhtml-alternate-entities.xml
fast/repaint/box-shadow-h.html
fast/repaint/box-shadow-v.html
fast/repaint/fixed.html
fast/repaint/flexible-box-overflow-horizontal.html
fast/repaint/flexible-box-overflow.html
fast/repaint/inline-block-overflow.html
fast/repaint/layer-child-outline.html
fast/repaint/layer-outline-horizontal.html
fast/repaint/layer-outline.html
fast/repaint/list-marker.html
fast/repaint/overflow-outline-repaint.html
fast/repaint/selection-gap-overflow-scroll.html
fast/repaint/table-cell-vertical-overflow.html
fast/repaint/text-selection-rect-in-overflow-2.html
fast/repaint/text-selection-rect-in-overflow.html
fast/repaint/text-shadow-horizontal.html
fast/repaint/text-shadow.html
fast/replaced/width100percent-textarea.html
fast/table/giantCellspacing.html
fast/text/atsui-pointtooffset-calls-cg.html
fast/text/atsui-rtl-override-selection.html
fast/text/in-rendered-text-rtl.html
fast/text/international/002.html
fast/canvas/canvas-gradient-addStop-error.html
fast/css/zoom-body-scroll.html
fast/dom/Element/getBoundingClientRect.html
fast/dom/Element/getClientRects.html
fast/dom/Range/getBoundingClientRect.html
fast/dom/Range/getClientRects.html
fast/dom/tabindex-clamp.html
fast/dom/Window/webkitConvertPoint.html
fast/events/crash-on-mutate-during-drop.html
fast/forms/option-mouseevents.html
fast/forms/text-control-intrinsic-widths.html
fast/forms/textarea-metrics.html
fast/history/window-open.html
fast/dom/Range/range-expand.html
fast/events/attempt-scroll-with-no-scrollbars.html
fast/events/key-events-in-input-button.html
fast/forms/radio/input-radio-checked-tab.html
fast/frames/onlyCommentInIFrame.html
fast/invalid/junk-data.xml
fast/loader/text-document-wrapping.html
fast/overflow/005.html
fast/text/find-case-folding.html
fast/text/basic/014.html
fast/text/international/cjk-segmentation.html
fast/text/international/rtl-white-space-pre-wrap.html
fast/block/basic/text-indent-rtl.html
fast/block/float/026.html
fast/block/float/028.html
fast/css/text-overflow-ellipsis-bidi.html
fast/css/text-overflow-ellipsis.html
fast/css/text-overflow-ellipsis-strict.html
fast/dom/icon-url-property.html
fast/events/offsetX-offsetY.html
fast/forms/basic-textareas.html
fast/forms/button-white-space.html
fast/forms/file/hidden-input-file.html
fast/forms/input-appearance-height.html
fast/forms/input-appearance-width.html
fast/forms/input-table.html
fast/forms/input-value.html
fast/forms/listbox-deselect-scroll.html
fast/forms/listbox-hit-test-zoomed.html
fast/forms/textarea-width.html
fast/layers/video-layer.html
fast/media/mq-transform-02.html
fast/media/mq-transform-03.html
fast/overflow/infiniteRecursionGuard.html
fast/overflow/overflow_hidden.html
fast/overflow/overflow-text-hit-testing.html
fast/repaint/shadow-multiple-horizontal.html
fast/repaint/shadow-multiple-strict-horizontal.html
fast/repaint/shadow-multiple-strict-vertical.html
fast/repaint/shadow-multiple-vertical.html
fast/text/atsui-spacing-features.html
fast/text/atsui-negative-spacing-features.html
fast/text/capitalize-boundaries.html
fast/text/international/003.html
fast/text/international/bidi-AN-after-empty-run.html
fast/text/international/bidi-layout-across-linebreak.html
fast/text/international/bidi-LDB-2-formatting-characters.html
fast/text/international/bidi-LDB-2-HTML.html
fast/text/international/bidi-listbox-atsui.html
fast/text/international/bidi-listbox.html
fast/text/international/bidi-override.html
fast/text/trailing-white-space-2.html
fast/text/trailing-white-space.html
fast/text/whitespace/pre-wrap-spaces-after-newline.html
fast/text/whitespace/tab-character-basics.html
fast/text/word-break-run-rounding.html
# -- timedout with --platform mac --ignore-metrics
fast/events/5056619.html
fast/events/drag-in-frames.html
fast/text/international/thai-line-breaks.html
# --crashed with --platform mac --ignore-metrics
fast/text/midword-break-after-breakable-char.html
# No support for <keygen> with Qt (see TemporaryLinkStubs.cpp)
fast/html/keygen.html
http/tests/misc/submit-post-keygen.html
# -- pass with --platform mac --ignore-metrics
fast/backgrounds/animated-gif-as-background.html
fast/block/float/independent-align-positioning.html
fast/block/positioning/001.html
fast/block/positioning/absolute-in-inline-ltr-2.html
fast/block/positioning/absolute-in-inline-ltr.html
fast/block/positioning/absolute-in-inline-rtl-2.html
fast/block/positioning/absolute-in-inline-rtl-3.html
fast/block/positioning/absolute-in-inline-rtl.html
fast/borders/border-image-omit-right-slice.html
fast/borders/borderRadiusAllStylesAllCorners.html
fast/borders/borderRadiusDashed01.html
fast/borders/borderRadiusDashed02.html
fast/borders/borderRadiusDashed03.html
fast/borders/borderRadiusDotted01.html
fast/borders/borderRadiusDotted02.html
fast/borders/borderRadiusDotted03.html
fast/compact/001.html
fast/compact/002.html
fast/css/ex-after-font-variant.html
fast/css/font-face-download-error.html
fast/css/font-face-locally-installed.html
fast/css/font-face-unicode-range.html
fast/css/font-weight-1.html
fast/css/percentage-non-integer.html
fast/css/rtl-ordering.html
fast/css/text-security.html
fast/dom/Document/CaretRangeFromPoint/hittest-relative-to-viewport.html
fast/dom/HTMLImageElement/image-alt-text.html
fast/dom/Window/btoa-pnglet.html
fast/encoding/denormalised-voiced-japanese-chars.html
fast/encoding/invalid-UTF-8.html
fast/forms/focus-selection-input.html
fast/forms/input-type-text-min-width.html
fast/forms/menulist-narrow-width.html
fast/forms/menulist-restrict-line-height.html
fast/forms/searchfield-heights.html
fast/forms/select-visual-hebrew.html
fast/forms/visual-hebrew-text-field.html
fast/gradients/generated-gradients.html
fast/gradients/simple-gradients.html
fast/images/pdf-as-background.html
fast/images/pdf-as-image-landscape.html
fast/images/pdf-as-tiled-background.html
fast/parser/fonts.html
fast/repaint/static-to-positioned.html
fast/replaced/image-solid-color-with-alpha.html
fast/replaced/pdf-as-image.html
fast/replaced/width100percent-menulist.html
fast/text/atsui-multiple-renderers.html
fast/text/atsui-partial-selection.html
fast/text/bidi-embedding-pop-and-push-same.html
fast/text/cg-fallback-bolding.html
fast/text/drawBidiText.html
fast/text/fixed-pitch-control-characters.html
fast/text/international/001.html
fast/text/international/bidi-AN-after-L.html
fast/text/international/bidi-CS-after-AN.html
fast/text/international/bidi-L2-run-reordering.html
fast/text/international/bidi-LDB-2-CSS.html
fast/text/international/bidi-control-chars-treated-as-ZWS.html
fast/text/international/bidi-european-terminators.html
fast/text/international/bidi-explicit-embedding.html
fast/text/international/bidi-ignored-for-first-child-inline.html
fast/text/international/bidi-innertext.html
fast/text/international/bidi-linebreak-001.html
fast/text/international/bidi-linebreak-002.html
fast/text/international/bidi-linebreak-003.html
fast/text/international/bidi-neutral-directionality-paragraph-start.html
fast/text/international/bidi-neutral-run.html
fast/text/international/complex-character-based-fallback.html
fast/text/international/danda-space.html
fast/text/international/hindi-spacing.html
fast/text/international/rtl-caret.html
fast/text/international/thai-baht-space.html
fast/text/selection-painted-separately.html
fast/text/soft-hyphen-2.html
fast/text/whitespace/001.html
fast/text/whitespace/004.html
fast/text/whitespace/005.html
fast/text/whitespace/010.html
fast/text/whitespace/011.html
fast/text/whitespace/015.html
fast/text/whitespace/016.html
fast/text/whitespace/024.html
fast/text/wide-zero-width-space.html
fast/text/word-break-soft-hyphen.html
fast/text/word-space.html
# ------- failures due to missing support for particular XSLT features
# xsl:output
fast/xsl/xslt-text.html
# xsl:import
fast/xsl/xslt-import-depth.xml
# xsl:sort: lang and case-order
fast/xsl/sort-locale.xml
# to be investigated
fast/xsl/xslt-enc16.xml
fast/xsl/xslt-enc16to16.xml
fast/xsl/xslt-enc-cyr.xml
fast/xsl/xslt-enc.xml
fast/xsl/xslt-relative-path.xml
fast/xsl/xslt-missing-namespace-in-xslt.xml
fast/xsl/xslt_unicode.xml
fast/forms/drag-out-of-textarea.html
fast/text/international/bidi-menulist.html
fast/text/international/pop-up-button-text-alignment-and-direction.html
fast/text/international/wrap-CJK-001.html
# --- missing test fonts
fast/repaint/japanese-rl-selection-clear.html
fast/repaint/japanese-rl-selection-repaint.html
fast/repaint/japanese-rl-selection-repaint-in-regions.html
fast/text/international/bdi-neutral-wrapped.html
fast/text/international/bidi-mirror-he-ar.html
fast/text/international/bold-bengali.html
fast/text/international/hebrew-vowels.html
fast/text/international/plane2.html
fast/text/international/unicode-bidi-plaintext.html
fast/text/international/vertical-text-glyph-test.html
fast/text/international/vertical-text-metrics-test.html
fast/writing-mode/japanese-ruby-horizontal-bt.html
fast/writing-mode/japanese-ruby-vertical-lr.html
fast/writing-mode/japanese-ruby-vertical-rl.html
fast/writing-mode/japanese-lr-selection.html
fast/writing-mode/japanese-lr-text.html
fast/writing-mode/japanese-rl-selection.html
fast/writing-mode/japanese-rl-text.html
# Requires WebP support.
fast/canvas/canvas-toDataURL-webp.html
fast/images/webp-image-decoding.html
http/tests/images/webp-partial-load.html
http/tests/images/webp-progressive-load.html
# [Qt] fast/text/emphasis-overlap.html fails
# https://bugs.webkit.org/show_bug.cgi?id=51324
fast/text/emphasis-overlap.html
# [Qt] fast/text/emphasis-avoid-ruby.html fails
# https://bugs.webkit.org/show_bug.cgi?id=52155
fast/text/emphasis-avoid-ruby.html
# [Qt] fast/text/international/spaces-combined-in-vertical-text.html fails
# https://bugs.webkit.org/show_bug.cgi?id=80293
fast/text/international/spaces-combined-in-vertical-text.html
fast/writing-mode/border-styles-vertical-lr.html
fast/writing-mode/border-styles-vertical-rl.html
# [Qt] fast/dom/shadow/drag-to-meter-in-shadow-crash.html asserts
# https://bugs.webkit.org/show_bug.cgi?id=82308
fast/dom/shadow/drag-to-meter-in-shadow-crash.html
# [Qt] REGRESSION(r114059): It made these tests fail
# https://bugs.webkit.org/show_bug.cgi?id=83432
fast/dom/dom-parse-serialize-display.html
fast/dom/dom-parse-serialize-xmldecl.html
fast/dom/dom-parse-serialize.html
fast/xmlhttprequest/xmlhttprequest-get.xhtml
# [Qt] fast/block/positioning/offsetLeft-offsetTop-multicolumn.html is failing
# https://bugs.webkit.org/show_bug.cgi?id=86130
fast/block/positioning/offsetLeft-offsetTop-multicolumn.html
# New fast/events/keydown-leftright-keys.html fails on Qt, GTK
# https://bugs.webkit.org/show_bug.cgi?id=87219
fast/events/keydown-leftright-keys.html
# New fast/events/domactivate-sets-underlying-click-event-as-handled.html times out on Qt, GTK
# https://bugs.webkit.org/show_bug.cgi?id=87469
fast/events/domactivate-sets-underlying-click-event-as-handled.html
# New fast/dom/Window/mozilla-focus-blur.html introduced in r118916 fails
# https://bugs.webkit.org/show_bug.cgi?id=87956
fast/dom/Window/mozilla-focus-blur.html
# New fast/notifications/notifications-click-event-focus.html introduced in r118916 fails
# https://bugs.webkit.org/show_bug.cgi?id=90988
fast/notifications/notifications-click-event-focus.html
# [Qt][GTK][EFL] fast/dom/gc-attribute-node.html fails
# https://bugs.webkit.org/show_bug.cgi?id=88062
fast/dom/gc-attribute-node.html
# [Qt] fast/forms/datalist/input-list.html fails
# https://bugs.webkit.org/show_bug.cgi?id=89656
fast/forms/datalist/input-list.html
# [Qt][EFL] new fast/forms/datalist/range-snap-to-datalist.html introduced in r124549 fails
# https://bugs.webkit.org/show_bug.cgi?id=93074
fast/forms/datalist/range-snap-to-datalist.html
# [Qt] New fast/forms/number/number-validation-message.html introduced in r121019 fails.
# https://bugs.webkit.org/show_bug.cgi?id=89760
fast/forms/number/number-validation-message.html
# [Qt] fast/block/positioning/002.html fails
# https://bugs.webkit.org/show_bug.cgi?id=92732
fast/block/positioning/002.html
# [Qt] fast/block/positioning/056.html fails
# https://bugs.webkit.org/show_bug.cgi?id=92733
fast/block/positioning/056.html
# REGRESSION (r130557): fast/exclusions/shape-inside/shape-inside-rounded-rectangle-003.html fails on Qt and GTK
# https://bugs.webkit.org/show_bug.cgi?id=98585
fast/exclusions/shape-inside/shape-inside-rounded-rectangle-003.html
# REGRESSION (r130570): fast/writing-mode/vertical-subst-font-vert-no-dflt.html fails on non-Chromium platforms
# https://bugs.webkit.org/show_bug.cgi?id=98587
fast/writing-mode/vertical-subst-font-vert-no-dflt.html
# [Qt] fast/xmlhttprequest/xmlhttprequest-nonexistent-file.html fails
# https://bugs.webkit.org/show_bug.cgi?id=98751
fast/xmlhttprequest/xmlhttprequest-nonexistent-file.html
# [Qt] REGRESSION (r130851): fast/text/word-space-with-kerning.html fails
# https://bugs.webkit.org/show_bug.cgi?id=98876
fast/text/word-space-with-kerning.html
# ============================================================================= #
# failing security tests
# ============================================================================= #
# https://bugs.webkit.org/show_bug.cgi?id=39160
security/block-test-no-port.html
security/block-test.html
# https://bugs.webkit.org/show_bug.cgi?id=86000
http/tests/security/referrer-policy-redirect-link.html
# ============================================================================= #
# failing tables tests
# ============================================================================= #
tables/mozilla_expected_failures/marvin/table_overflow_hidden_tbody.html
tables/mozilla_expected_failures/marvin/table_overflow_hidden_tr.html
tables/mozilla_expected_failures/bugs/bug178855.xml
# ============================================================================= #
# Failed canvas tests from http://philip.html5.org/tests/canvas/suite/tests/
# ============================================================================= #
canvas/philip/tests/2d.composite.operation.clear.html
canvas/philip/tests/2d.composite.operation.darker.html
canvas/philip/tests/2d.drawImage.broken.html
canvas/philip/tests/2d.gradient.radial.cone.behind.html
canvas/philip/tests/2d.gradient.radial.cone.beside.html
canvas/philip/tests/2d.gradient.radial.cone.bottom.html
canvas/philip/tests/2d.gradient.radial.cone.cylinder.html
canvas/philip/tests/2d.gradient.radial.cone.shape2.html
canvas/philip/tests/2d.gradient.radial.cone.top.html
canvas/philip/tests/2d.gradient.radial.touch1.html
canvas/philip/tests/2d.gradient.radial.touch2.html
canvas/philip/tests/2d.gradient.radial.touch3.html
canvas/philip/tests/2d.line.cap.open.html
canvas/philip/tests/2d.line.join.open.html
canvas/philip/tests/2d.missingargs.html
canvas/philip/tests/2d.path.quadraticCurveTo.shape.html
canvas/philip/tests/2d.path.quadraticCurveTo.scaled.html
canvas/philip/tests/2d.path.stroke.scale2.html
canvas/philip/tests/2d.pattern.image.broken.html
canvas/philip/tests/2d.text.draw.baseline.bottom.html
canvas/philip/tests/2d.text.draw.baseline.hanging.html
canvas/philip/tests/2d.text.draw.baseline.ideographic.html
canvas/philip/tests/2d.text.draw.baseline.middle.html
canvas/philip/tests/2d.text.draw.baseline.top.html
canvas/philip/tests/2d.text.draw.fontface.notinpage.html
canvas/philip/tests/2d.text.draw.space.collapse.end.html
canvas/philip/tests/2d.text.draw.space.collapse.other.html
canvas/philip/tests/2d.text.draw.space.collapse.space.html
canvas/philip/tests/2d.text.draw.space.collapse.start.html
canvas/philip/tests/2d.text.measure.width.space.html
canvas/philip/tests/2d.transformation.setTransform.skewed.html
canvas/philip/tests/2d.transformation.transform.skewed.html
canvas/philip/tests/type.prototype.html
# Failing tests after sync with Philip Taylor's upstream tests
canvas/philip/tests/2d.drawImage.image.incomplete.omitted.html
canvas/philip/tests/2d.fillStyle.parse.rgb-eof.html
canvas/philip/tests/2d.fillStyle.parse.rgba-eof.html
canvas/philip/tests/2d.imageData.put.wrongtype.html
canvas/philip/tests/2d.pattern.image.incomplete.empty.html
canvas/philip/tests/2d.pattern.image.incomplete.omitted.html
# ============================================================================= #
# failing transforms tests
# ============================================================================= #
# fail because of missing testfonts
transforms/2d/hindi-rotated.html
# ============================================================================= #
# new tests without expected results
# ============================================================================= #
editing/selection/transformed-selection-rects.html
# New tests without Qt specific expected files. Need investigation.
animations/3d/matrix-transform-type-animation.html
fast/block/lineboxcontain/block-glyphs-replaced.html
fast/block/lineboxcontain/block-replaced.html
fast/block/lineboxcontain/block.html
fast/block/lineboxcontain/font-replaced.html
fast/block/lineboxcontain/glyphs.html
fast/block/lineboxcontain/inline-box-replaced.html
fast/block/lineboxcontain/inline.html
fast/block/positioning/vertical-lr/002.html
fast/block/positioning/vertical-rl/002.html
fast/borders/rtl-border-04.html
fast/borders/rtl-border-05.html
fast/css/line-height-determined-by-primary-font.html
fast/dom/34176.html
fast/dom/HTMLMeterElement/meter-appearances-capacity.html
fast/dom/HTMLMeterElement/meter-appearances-rating-relevancy.html
fast/dynamic/text-combine.html
fast/images/pixel-crack-image-background-webkit-transform-scale.html
fast/images/support-broken-image-delegate.html
fast/inline/inline-box-background-long-image.html
fast/inline/inline-box-background-repeat-x.html
fast/inline/inline-box-background-repeat-y.html
fast/inline/inline-box-background.html
fast/repaint/inline-horizontal-bt-overflow.html
fast/repaint/inline-vertical-lr-overflow.html
fast/repaint/inline-vertical-rl-overflow.html
fast/repaint/repaint-across-writing-mode-boundary.html
fast/ruby/base-shorter-than-text.html
fast/ruby/nested-ruby.html
fast/text/decorations-transformed.html
fast/text/emphasis-combined-text.html
fast/text/emphasis-vertical.html
fast/text/emphasis.html
fast/text/hyphenate-first-word.html
fast/text/hyphenate-locale.html
fast/text/justify-ideograph-complex.html
fast/text/justify-ideograph-leading-expansion.html
fast/text/justify-ideograph-simple.html
fast/text/justify-ideograph-vertical.html
fast/text/international/text-combine-image-test.html
fast/writing-mode/Kusa-Makura-background-canvas.html
fast/writing-mode/border-image-horizontal-bt.html
fast/writing-mode/border-image-vertical-lr.html
fast/writing-mode/border-image-vertical-rl.html
fast/writing-mode/border-vertical-lr.html
fast/writing-mode/broken-ideograph-small-caps.html
fast/writing-mode/broken-ideographic-font.html
fast/writing-mode/japanese-rl-text-with-broken-font.html
fast/writing-mode/text-orientation-basic.html
fast/writing-mode/vertical-align-table-baseline.html
fast/writing-mode/vertical-baseline-alignment.html
fast/writing-mode/vertical-font-fallback.html
svg/css/shadow-changes.svg
svg/custom/use-invalid-pattern.svg
svg/text/bidi-embedded-direction.svg
svg/text/select-textLength-spacingAndGlyphs-squeeze-1.svg
svg/text/select-textLength-spacingAndGlyphs-squeeze-2.svg
svg/text/select-textLength-spacingAndGlyphs-squeeze-3.svg
svg/text/select-textLength-spacingAndGlyphs-squeeze-4.svg
svg/text/select-textLength-spacingAndGlyphs-stretch-1.svg
svg/text/select-textLength-spacingAndGlyphs-stretch-2.svg
svg/text/select-textLength-spacingAndGlyphs-stretch-3.svg
transitions/default-timing-function.html
http/tests/inspector/console-websocket-error.html
# failing new tests
fast/box-shadow/single-pixel-shadow.html
fast/text/selection-rect-rounding.html
svg/custom/painting-marker-07-f-inherit.svg
svg/custom/small-rect-scale.svg
# failing new tests
fast/text/midword-break-before-surrogate-pair.html
svg/custom/svg-fonts-fallback.xhtml
# new tests without expected files, need investigation
css3/images/cross-fade-background-size.html
css3/images/cross-fade-tiled.html
css3/images/cross-fade-blending.html
css3/images/cross-fade-invalidation.html
css3/images/cross-fade-simple.html
css3/images/cross-fade-sizing.html
svg/clip-path/clip-in-clip.svg
svg/clip-path/clipper-placement-issue.svg
svg/text/non-bmp-positioning-lists.svg
svg/custom/transform-with-shadow-and-gradient.svg
svg/custom/clip-path-with-css-transform-2.svg
svg/custom/clip-path-with-css-transform-1.svg
svg/stroke/zero-length-path-linecap-rendering.svg
svg/stroke/zero-length-subpaths-linecap-rendering.svg
svg/filters/feImage-filterUnits-objectBoundingBox-primitiveUnits-userSpaceOnUse.svg
http/tests/misc/willCacheResponse-delegate-callback.html
fast/borders/scaled-border-image.html
# new tests without expected files, need investigation
css3/filters/composited-during-animation-layertree.html
css3/filters/composited-during-transition-layertree.html
css3/filters/composited-during-animation.html
css3/filters/blur-filter-page-scroll.html
css3/filters/blur-filter-page-scroll-self.html
css3/filters/blur-filter-page-scroll-parents.html
svg/foreignObject/fO-display-none-with-relative-pos-content.svg
svg/foreignObject/fO-display-none.svg
fast/speech/input-appearance-speechbutton.html
fast/speech/input-appearance-searchandspeech.html
fast/speech/speech-bidi-rendering.html
fast/css/relative-positioned-block-with-inline-ancestor-and-parent-dynamic.html
# new tests without expected files, need investigation
css3/filters/effect-reference-external.html
css3/filters/effect-reference-hw.html
css3/filters/effect-reference.html
css3/filters/effect-reference-ordering.html
fast/repaint/repaint-during-scroll-with-zoom.html
fast/multicol/shrink-to-column-height-for-pagination.html
fast/forms/textarea/textarea-placeholder-paint-order.html
fast/forms/select/optgroup-rendering.html
fast/forms/input-placeholder-paint-order.html
fast/reflections/reflection-with-zoom.html
fast/table/mozilla-bug10296-vertical-align-2.html
fast/table/mozilla-bug10296-vertical-align-1.html
fast/events/touch/gesture/context-menu-on-long-press.html
fast/events/touch/gesture/context-menu-on-two-finger-tap.html
fast/css/text-overflow-ellipsis-text-align-right.html
fast/css/text-overflow-ellipsis-text-align-left.html
fast/css/vertical-text-overflow-ellipsis-text-align-center.html
fast/css/vertical-text-overflow-ellipsis-text-align-right.html
fast/css/text-overflow-ellipsis-text-align-center.html
fast/css/vertical-text-overflow-ellipsis-text-align-justify.html
fast/css/text-overflow-ellipsis-text-align-justify.html
fast/css/vertical-text-overflow-ellipsis-text-align-left.html
css2.1/20110323/table-height-algorithm-024.htm [ Missing ]
css2.1/20110323/table-height-algorithm-023.htm [ Missing ]
css2.1/20110323/inline-table-002a.htm [ Missing ]
css2.1/20110323/inline-table-001.htm [ Missing ]
css2.1/20110323/inline-table-003.htm [ Missing ]
editing/inserting/multiple-lines-selected.html
fast/table/table-row-outline-paint.html
svg/as-image/animated-svg-repaints-completely-in-hidpi.html
# ============================================================================= #
# Regressions occured after Qt version update
# ============================================================================= #
# [Qt] fast/forms/textarea-appearance-wrap.html fails with Qt >= 4.7.1
# https://bugs.webkit.org/show_bug.cgi?id=50145
fast/forms/textarea-appearance-wrap.html
# [Qt] 4 css2.1/t1202-counter tests fail with Qt >= 4.7.1
# https://bugs.webkit.org/show_bug.cgi?id=50146
css2.1/t1202-counter-09-b.html [ Failure ]
css2.1/t1202-counter-15-b.html [ Failure ]
css2.1/t1202-counters-09-b.html [ Failure ]
css2.1/t1202-counters-15-b.html [ Failure ]
# [Qt] 4 fast/text tests fail with Qt >= 4.7.1 (fail with Qt 5 too)
# https://bugs.webkit.org/show_bug.cgi?id=50147
fast/text/format-control.html
fast/text/international/khmer-selection.html
# [Qt]http/tests/security/xss-DENIED-xsl-document.xml fails with Qt >= 4.8
# http://bugreports.qt.nokia.com/browse/QTBUG-19556
# https://bugs.webkit.org/show_bug.cgi?id=60175
http/tests/security/xss-DENIED-xsl-document.xml
# Support for third-party cookie blocking
# https://bugs.webkit.org/show_bug.cgi?id=45455
# See also http://bugreports.qt.nokia.com/browse/QTBUG-13601
platform/qt/http/tests/cookies/strict-third-party-cookie-blocking.html
# ============================================================================= #
# new skipped tests yet to be sorted
# ============================================================================= #
# [Qt] REGRESSION(63862): animations/play-state.html fails intermittently
# https://bugs.webkit.org/show_bug.cgi?id=42821
animations/play-state.html
# Still working out flakiness issues with the perf tests.
# https://bugs.webkit.org/show_bug.cgi?id=44199
perf/
# small text which is scaled to be large renders pixelated
# https://bugs.webkit.org/show_bug.cgi?id=12448
css3/zoom-coords.xhtml
svg/zoom/page/zoom-zoom-coords.xhtml
# [Qt] fast/notifications/notifications-document-close-crash.html fails after r77738
# https://bugs.webkit.org/show_bug.cgi?id=53868
fast/notifications/notifications-document-close-crash.html
# [Qt] inspector/styles/styles-disable-then-enable.html make inspector/styles/styles-iframe.html fail in debug mode
# https://bugs.webkit.org/show_bug.cgi?id=58313
inspector/styles/styles-disable-then-enable.html
# Expose title direction in WebKit API
# https://bugs.webkit.org/show_bug.cgi?id=58845
fast/dom/title-directionality.html
fast/dom/title-directionality-removeChild.html
# fast/text/zero-width-characters-complex-script fails on Chrome and Qt on Linux
# https://bugs.webkit.org/show_bug.cgi?id=58741
fast/text/zero-width-characters-complex-script.html
# [Qt]fast/url/idna tests fail
# https://bugs.webkit.org/show_bug.cgi?id=59187
fast/url/idna2003.html
fast/url/idna2008.html
# [Qt] Migrate to Debian Squeeze
# https://bugs.webkit.org/show_bug.cgi?id=59609
fast/workers/storage/use-same-database-in-page-and-workers.html
svg/W3C-SVG-1.1/struct-image-06-t.svg
http/tests/loading/preload-slow-loading.php
http/tests/security/contentSecurityPolicy/media-src-allowed.html
http/tests/security/contentSecurityPolicy/media-src-blocked.html
# [Qt]fast/events/remove-target-in-mouseup* tests fail
# https://bugs.webkit.org/show_bug.cgi?id=60833
fast/events/remove-target-in-mouseup-deep.html
fast/events/remove-target-in-mouseup-insertback.html
fast/events/remove-target-in-mouseup-twice.html
fast/events/remove-target-in-mouseup.html
# [Qt] Selectstart event tests added by r87096 are failing on Qt
# https://bugs.webkit.org/show_bug.cgi?id=61322
fast/events/selectstart-by-double-triple-clicks.html
fast/events/selectstart-by-drag.html
# New tests introduced in https://bugs.webkit.org/show_bug.cgi?id=66272. Needs
# Qt implementation.
fast/events/touch/gesture/gesture-dblclick.html
fast/events/touch/gesture/gesture-scroll.html
fast/events/touch/gesture/touch-gesture-scroll-sideways.html
fast/events/touch/gesture/gesture-tap-active-state-iframe.html
# Test fails because script pretty-print does not work in inspector on JSC when paused on breakpoint.
# https://bugs.webkit.org/show_bug.cgi?id=71120
inspector/debugger/selected-call-frame-after-formatting-source.html
# This test tickles another crasher on Qt.
fast/loader/reload-zero-byte-plugin.html
# These test -apple- and -khtml- prefixed CSS properties, which we don't support.
inspector/styles/vendor-prefixes.html
fast/css/apple-prefix.html
# [Qt] fast/dom/HTMLDocument/hasFocus.html fails
# https://bugs.webkit.org/show_bug.cgi?id=66076
fast/dom/HTMLDocument/hasFocus.html
# [Qt] Implement layouTestController.setShouldStayOnPageAfterHandlingBeforeUnload
# https://bugs.webkit.org/show_bug.cgi?id=66162
fast/loader/form-submission-after-beforeunload-cancel.html
# This test verifies that a mismatch reftest will fail as intended if both results are same.
fast/harness/sample-fail-mismatch-reftest.html
# [Qt] REGRESSION(r93937): 4 failing and 3 flaky tests
# https://bugs.webkit.org/show_bug.cgi?id=67118
# Flaky
fast/forms/number/number-large-padding.html
fast/forms/number/number-spinbutton-capturing.html
fast/forms/number/number-spinbutton-change-and-input-events.html
# [Qt] fast/text/line-initial-and-final-swashes.html fails
# https://bugs.webkit.org/show_bug.cgi?id=69719
fast/text/line-initial-and-final-swashes.html
# fast/events/touch/page-scaled-touch-gesture-click.html is failing
# Introduced in r97988. Failure: "Gesture manager is not implemented."
# https://bugs.webkit.org/show_bug.cgi?id=70593
fast/events/touch/page-scaled-touch-gesture-click.html
# fast/canvas/canvas-composite-image.html and -canvas.html is failing
# https://bugs.webkit.org/show_bug.cgi?id=70893
fast/canvas/canvas-composite-image.html
fast/canvas/canvas-composite-canvas.html
# track not functional yet.
fast/events/constructors/track-event-constructor.html
http/tests/security/text-track-crossorigin.html
# Linecaps wrong for zero length lines
# https://bugs.webkit.org/show_bug.cgi?id=71820
# Temporarily skip these tests after r105878 until necessary functionality lands and new results added.
svg/W3C-SVG-1.1-SE/painting-control-04-f.svg
svg/custom/zero-path-square-cap-rendering.svg
svg/stroke/zero-length-arc-linecaps-rendering.svg
# new test introduced in http://trac.webkit.org/changeset/106072 - need more investigation
fast/parser/nested-fragment-parser-crash.html
# new test introduced in http://trac.webkit.org/changeset/106642 failes on Qt Release
# https://bugs.webkit.org/show_bug.cgi?id=77729
fast/events/touch/emulate-touch-events.html
# [Qt] fast/text/international/inline-plaintext-is-isolated.html fails
# https://bugs.webkit.org/show_bug.cgi?id=78092
fast/text/international/inline-plaintext-is-isolated.html
# Fails because MutationObservers are not notified at end-of-task
# https://bugs.webkit.org/show_bug.cgi?id=78290
fast/mutation/end-of-task-delivery.html
# Fails on most platforms, probably failing due to an earlier test.
http/tests/inspector/inspect-element.html
# Let MemoryCache reuse cached XHRs (REGRESSION caused by r107672)
# https://bugs.webkit.org/show_bug.cgi?id=76564
fast/workers/worker-crash-with-invalid-location.html
# New test introduced in r108690 fails
# https://bugs.webkit.org/show_bug.cgi?id=71266
fast/ruby/text-decoration-in-descendants-ruby.html
# https://bugs.webkit.org/show_bug.cgi?id=82628
svg/hittest/svg-ellipse-non-scale-stroke.xhtml
# https://bugs.webkit.org/show_bug.cgi?id=81276
# Allowed to regress to fix a crash.
fast/inline/continuation-outlines-with-layers.html
# https://bugs.webkit.org/show_bug.cgi?id=81697
# Refactor notification tests requiring file:// permission
fast/notifications/notifications-cancel-request-permission.html
fast/notifications/notifications-check-permission.html
fast/notifications/notifications-request-permission.html
fast/notifications/notifications-without-permission.html
# [Qt] unexpected result in fast/js/large-expressions.html
# https://bugs.webkit.org/show_bug.cgi?id=76379
fast/js/large-expressions.html
# This should only be a layer change.
# http://webkit.org/b/82129
fast/box-shadow/shadow-buffer-partial.html
fast/block/lineboxcontain/block-font.html
fast/block/lineboxcontain/block-glyphs.html
fast/block/lineboxcontain/font.html
# Failing reftests, we skip them until we find out how we have to gardening after them
css3/flexbox/flexbox-overflow-auto.html
fast/block/line-layout/selection-highlight-overlap.html
fast/css/empty-cell-baseline.html
fast/forms/datalist/input-appearance-range-with-datalist-rtl.html
fast/forms/datalist/update-range-with-datalist.html
fast/multicol/cell-shrinkback.html
fast/multicol/overflow-into-columngap.html
fast/overflow/line-clamp-and-columns.html
fast/table/td-width-fifty-percent-regression.html
fast/text/descent-clip-in-scaled-page.html
fast/sub-pixel/block-with-margin-overflow.html
svg/custom/anchor-on-use.svg
svg/animations/animateTransform-rotate-around-point.svg
svg/animations/animateMotion-additive-1.svg
svg/transforms/transformed-text-fill-gradient.html
fast/regions/floats-basic-in-variable-width-regions.html
fast/regions/positioned-objects-block-static-spanning-regions-rtl.html
fast/regions/region-style-rule-position.html
# Failing fast/css/sticky/ tests with minor pixel differences
# https://bugs.webkit.org/show_bug.cgi?id=92080
fast/css/sticky/inline-sticky-abspos-child.html
fast/css/sticky/inline-sticky.html
fast/css/sticky/sticky-writing-mode-vertical-lr.html
fast/css/sticky/sticky-writing-mode-vertical-rl.html
# REGRESSION(114309) - Exception stack traces aren't complete when the exception starts in native code
# https://bugs.webkit.org/show_bug.cgi?id=84073
plugins/npruntime/object-from-destroyed-plugin.html
plugins/npruntime/object-from-destroyed-plugin-in-subframe.html
# [Qt] New inspector/debugger/linkifier.html is flakey from the beginning (r115064).
# https://bugs.webkit.org/show_bug.cgi?id=84866
inspector/debugger/linkifier.html
# REGRESSION(r115379) - https://bugs.webkit.org/show_bug.cgi?id=85004
http/tests/inspector/network/network-initiator.html
# Requires ENABLE(MEDIA_CAPTURE)
fast/forms/file/file-input-capture.html
# [Qt] fast/frames/seamless/seamless-inherited-document-style.html fails
# https://bugs.webkit.org/show_bug.cgi?id=86182
fast/frames/seamless/seamless-inherited-document-style.html
# Inspector only supports evaluation in content script world with v8, see https://bugs.webkit.org/show_bug.cgi?id=85709
inspector/extensions/extensions-eval-content-script.html
inspector/extensions/extensions-audits-content-script.html
# [Qt][GTK] New fast/multicol/split-in-top-margin.html fails
# https://bugs.webkit.org/show_bug.cgi?id=86445
fast/multicol/split-in-top-margin.html
# [Qt][EFL] New inspector/styles/region-style-crash.html fails since r124186
# https://bugs.webkit.org/show_bug.cgi?id=91503
inspector/styles/region-style-crash.html
# Still failing after https://bugs.webkit.org/show_bug.cgi?id=42328
# most likely related to https://bugs.webkit.org/show_bug.cgi?id=84102
fast/profiler/stop-profiling-after-setTimeout.html
fast/profiler/dead-time.html
# [Qt]Web Inspector: inspector/extensions/extensions-network.html makes inspector/extensions/extensions-reload.html timeout
# https://bugs.webkit.org/show_bug.cgi?id=89349
inspector/extensions/extensions-reload.html
# [Qt] Failing reftests with 1px high line difference on 32 bit
# https://bugs.webkit.org/show_bug.cgi?id=89597
fast/block/float/previous-sibling-abspos-001.html
fast/block/float/previous-sibling-float-001.html
fast/block/negative-margin-start-positive-margin-end.html
fast/block/positive-margin-start-negative-margin-end-align-center.html
fast/block/float/floats-wrap-inside-inline-001.htm
fast/block/float/floats-wrap-inside-inline-002.htm
fast/block/float/floats-wrap-inside-inline-003.htm
fast/multicol/table-row-height-increase.html
css2.1/20110323/vertical-align-boxes-001.htm [ Failure Pass ]
svg/as-image/svg-intrinsic-size-rectangular-vertical.html
fast/css/word-spacing-characters.html
css2.1/20110323/c541-word-sp-001.htm [ Failure Pass ]
# [Qt] css3/filters/huge-region-composited.html makes css3/filters/huge-region.html crash
# https://bugs.webkit.org/show_bug.cgi?id=90165
css3/filters/huge-region-composited.html
# Reproducible crash in inspector/timeline/timeline-frames.html
# https://bugs.webkit.org/show_bug.cgi?id=90706
inspector/timeline/timeline-frames.html
# [Qt] REGRESSION(r122768, r122771): They broke jquery/data.html and inspector/elements/edit-dom-actions.html
# https://bugs.webkit.org/show_bug.cgi?id=91476
inspector/elements/edit-dom-actions.html
jquery/data.html
# [Qt] svg/zoom/{page,text}/zoom-hixie-mixed-009.xml fails
# https://bugs.webkit.org/show_bug.cgi?id=92018
svg/zoom/text/zoom-hixie-mixed-009.xml
svg/zoom/page/zoom-hixie-mixed-009.xml
# This test depends on subpixel layout.
# https://bugs.webkit.org/show_bug.cgi?id=92352
css3/flexbox/flex-rounding.html
# [Qt][GTK] REGRESSION(r125251): It made svg/custom/use-instanceRoot-as-event-target.xhtml assert and flakey
# https://bugs.webkit.org/show_bug.cgi?id=93812
svg/custom/use-instanceRoot-as-event-target.xhtml
# New test introduced in r125648 fast/events/autoscroll-in-textarea.html fails
# https://bugs.webkit.org/show_bug.cgi?id=94076
fast/events/autoscroll-in-textarea.html
# [Qt] New inspector/timeline/timeline-decode-resize.html introduced in r125790 fails
# https://bugs.webkit.org/show_bug.cgi?id=94341
inspector/timeline/timeline-decode-resize.html
# [Qt] New svg/custom/clamped-masking-clipping.svg asserts
# https://bugs.webkit.org/show_bug.cgi?id=95431
# [Qt][GTK] New svg/custom/clamped-masking-clipping.svg fails
# https://bugs.webkit.org/show_bug.cgi?id=95432
svg/custom/clamped-masking-clipping.svg
# REGRESSION (r127202): http/tests/security/inactive-document-with-empty-security-origin.html failing on JSC ports
# https://bugs.webkit.org/show_bug.cgi?id=95530
http/tests/security/inactive-document-with-empty-security-origin.html
# https://bugs.webkit.org/show_bug.cgi?id=95507
http/tests/notifications
# New fast/canvas/canvas-lineDash.html introduced in r128116 fails
# https://bugs.webkit.org/show_bug.cgi?id=96360
fast/canvas/canvas-lineDash.html
# [Qt] REGRESSION(r128749): http/tests/inspector/network/network-xhr-same-url-as-main-resource.html crashes
# https://bugs.webkit.org/show_bug.cgi?id=96931
http/tests/inspector/network/network-xhr-replay.html
# [Qt] REGRESSION(r128910): inspector/extensions/extensions-panel.html fails
# https://bugs.webkit.org/show_bug.cgi?id=97084
inspector/extensions/extensions-panel.html
# [Qt] fast/regions/overflow-size-change-with-stacking-context.html fails
# https://bugs.webkit.org/show_bug.cgi?id=97199
fast/regions/overflow-size-change-with-stacking-context.html
# [Qt] fast/profiler/apply.html fails with LLInt on 32 bit
# https://bugs.webkit.org/show_bug.cgi?id=97791
fast/profiler/apply.html
http/tests/w3c/webperf/approved/navigation-timing/html/test_timing_xserver_redirect.html
# =========================================================================== #
# End of entries merged in from the old Skipped file #
# =========================================================================== #
webkit.org/b/64526 [ Debug ] svg/animations/svgtransform-animation-1.html [ Crash Pass ]
# Slow tests
# FIXME: File bugs.
Bug(_qt_slow) [ Debug ] editing/selection/empty-cell-right-click.html [ Pass Slow ]
Bug(_qt_slow) [ Debug ] editing/selection/dump-as-markup.html [ Pass Slow ]
Bug(_qt_slow) [ Debug ] fast/js/array-sort-modifying-tostring.html [ Pass Timeout ]
Bug(_qt_slow) [ Debug ] fast/overflow/lots-of-sibling-inline-boxes.html [ Pass Slow ]
Bug(_qt_slow) [ Debug ] fast/js/dfg-inline-function-dot-caller.html [ Pass Slow ]
Bug(_qt_slow) [ Debug ] fast/js/dfg-poison-fuzz.html [ Pass Slow ]
webkit.org/b/62662 [ Debug ] inspector/cookie-parser.html [ Crash Pass ]
webkit.org/b/73766 css3/unicode-bidi-isolate-aharon-failing.html [ ImageOnlyFailure ]
webkit.org/b/83906 ietestcenter/css3/grid/grid-column-001.htm [ ImageOnlyFailure ]
webkit.org/b/83907 ietestcenter/css3/grid/grid-column-002.htm [ ImageOnlyFailure ]
webkit.org/b/83909 ietestcenter/css3/grid/grid-column-003.htm [ ImageOnlyFailure ]
webkit.org/b/83912 ietestcenter/css3/grid/grid-items-002.htm [ ImageOnlyFailure ]
webkit.org/b/83913 ietestcenter/css3/grid/grid-items-003.htm [ ImageOnlyFailure ]
webkit.org/b/84759 ietestcenter/css3/multicolumn/column-containing-block-001.htm [ ImageOnlyFailure ]
webkit.org/b/84760 ietestcenter/css3/multicolumn/column-containing-block-002.htm [ ImageOnlyFailure ]
webkit.org/b/84761 ietestcenter/css3/multicolumn/column-filling-001.htm [ ImageOnlyFailure ]
webkit.org/b/84770 ietestcenter/css3/multicolumn/column-width-applies-to-007.htm [ ImageOnlyFailure ]
webkit.org/b/84771 ietestcenter/css3/multicolumn/column-width-applies-to-009.htm [ ImageOnlyFailure ]
webkit.org/b/84772 ietestcenter/css3/multicolumn/column-width-applies-to-010.htm [ ImageOnlyFailure ]
webkit.org/b/84773 ietestcenter/css3/multicolumn/column-width-applies-to-012.htm [ ImageOnlyFailure ]
webkit.org/b/84777 ietestcenter/css3/multicolumn/column-width-applies-to-015.htm [ ImageOnlyFailure ]
webkit.org/b/84778 ietestcenter/css3/multicolumn/column-width-negative-001.htm [ ImageOnlyFailure ]
# IETC flexbox failures
webkit.org/b/85211 ietestcenter/css3/flexbox/flexbox-align-stretch-001.htm [ ImageOnlyFailure ]
webkit.org/b/85212 ietestcenter/css3/flexbox/flexbox-layout-002.htm [ ImageOnlyFailure ]
# Interferes with the tests that should pass
webkit.org/b/85689 fast/animation/request-animation-frame-disabled.html [ Skip ]
# ietestcenter/css3/valuesandunits/units-000.htm asserts
# https://bugs.webkit.org/show_bug.cgi?id=86176
webkit.org/b/85308 ietestcenter/css3/valuesandunits/units-000.htm [ Skip ]
webkit.org/b/85310 ietestcenter/css3/valuesandunits/units-010.htm [ ImageOnlyFailure ]
# IETC namespace failures
webkit.org/b/86142 ietestcenter/css3/namespaces/syntax-021.xml [ ImageOnlyFailure ]
# Needs rebaseline after bug 86441
# failing new tests
webkit.org/b/86441 fast/borders/border-antialiasing.html [ Skip ]
# Paletted PNG with ICC color profiles not working.
webkit.org/b/86722 fast/images/paletted-png-with-color-profile.html
# Disable webaudio codec tests, including proprietary codecs.
webkit.org/b/88794 webaudio/codec-tests
webkit.org/b/90007 http/tests/security/mixedContent/insecure-audio-video-in-main-frame.html [ Failure ]
# Skip tests in fast/text/shaping
webkit.org/b/90951 fast/text/shaping
# Flaky tests
webkit.org/b/91376 http/tests/security/sandboxed-iframe-modify-self.html [ Failure Pass ]
webkit.org/b/91379 http/tests/security/contentSecurityPolicy/policy-does-not-affect-child.html [ Failure Pass ]
webkit.org/b/91379 http/tests/security/contentSecurityPolicy/object-src-none-allowed.html [ Failure Pass ]
webkit.org/b/93247 [ Debug ] fast/lists/list-marker-remove-crash.html [ Crash ]
# This has always failed on Qt - exposed by bug 89826
webkit.org/b/94004 css2.1/20110323/c541-word-sp-000.htm [ ImageOnlyFailure ]
# Added by bug 89826
webkit.org/b/94005 css2.1/20110323/word-spacing-remove-space-003.htm [ ImageOnlyFailure ]
webkit.org/b/94005 css2.1/20110323/word-spacing-remove-space-006.htm [ ImageOnlyFailure ]
webkit.org/b/94006 fast/css/word-spacing-characters-complex-text.html [ ImageOnlyFailure ]
# [Qt] Unidentified plugin failures
webkit.org/b/98525 plugins/mouse-click-plugin-clears-selection.html
webkit.org/b/98525 plugins/netscape-dom-access.html
webkit.org/b/98525 plugins/resize-from-plugin.html
webkit.org/b/98640 plugins/refcount-leaks.html
# Skipped until the prefix is removed.
webkit.org/b/98953 http/tests/w3c/webperf/approved/HighResolutionTime [ Skip ]
# New inspector/profiler/memory-instrumentation-canvas.html fails on JSC platforms
webkit.org/b/99001 inspector/profiler/memory-instrumentation-canvas.html
|