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
|
#!/usr/bin/env python
# This Source Code Form is subject to the terms of the Mozilla Public
# License, v. 2.0. If a copy of the MPL was not distributed with this file,
# You can obtain one at http://mozilla.org/MPL/2.0/.
import copy
import glob
import json
import multiprocessing
import os
import re
import shutil
import sys
from datetime import datetime, timedelta
# load modules from parent dir
here = os.path.abspath(os.path.dirname(__file__))
sys.path.insert(1, os.path.dirname(here))
import threading
from mozfile import load_source
from mozharness.base.errors import BaseErrorList
from mozharness.base.log import INFO, WARNING
from mozharness.base.script import PreScriptAction
from mozharness.base.vcs.vcsbase import MercurialScript
from mozharness.mozilla.automation import TBPL_EXCEPTION, TBPL_RETRY
from mozharness.mozilla.mozbase import MozbaseMixin
from mozharness.mozilla.structuredlog import StructuredOutputParser
from mozharness.mozilla.testing.codecoverage import (
CodeCoverageMixin,
code_coverage_config_options,
)
from mozharness.mozilla.testing.errors import HarnessErrorList
from mozharness.mozilla.testing.testbase import TestingMixin, testing_config_options
from mozharness.mozilla.testing.unittest import DesktopUnittestOutputParser
SUITE_CATEGORIES = [
"gtest",
"cppunittest",
"jittest",
"mochitest",
"reftest",
"xpcshell",
]
SUITE_DEFAULT_E10S = ["mochitest", "reftest"]
SUITE_NO_E10S = ["xpcshell"]
SUITE_REPEATABLE = ["mochitest", "reftest", "xpcshell"]
SUITE_INSTALL_EXTENSIONS = ["mochitest"]
# DesktopUnittest {{{1
class DesktopUnittest(TestingMixin, MercurialScript, MozbaseMixin, CodeCoverageMixin):
config_options = (
[
[
[
"--mochitest-suite",
],
{
"action": "extend",
"dest": "specified_mochitest_suites",
"type": "string",
"help": "Specify which mochi suite to run. "
"Suites are defined in the config file.\n"
"Examples: 'all', 'plain1', 'plain5', 'chrome', or 'a11y'",
},
],
[
[
"--reftest-suite",
],
{
"action": "extend",
"dest": "specified_reftest_suites",
"type": "string",
"help": "Specify which reftest suite to run. "
"Suites are defined in the config file.\n"
"Examples: 'all', 'crashplan', or 'jsreftest'",
},
],
[
[
"--xpcshell-suite",
],
{
"action": "extend",
"dest": "specified_xpcshell_suites",
"type": "string",
"help": "Specify which xpcshell suite to run. "
"Suites are defined in the config file\n."
"Examples: 'xpcshell'",
},
],
[
[
"--cppunittest-suite",
],
{
"action": "extend",
"dest": "specified_cppunittest_suites",
"type": "string",
"help": "Specify which cpp unittest suite to run. "
"Suites are defined in the config file\n."
"Examples: 'cppunittest'",
},
],
[
[
"--gtest-suite",
],
{
"action": "extend",
"dest": "specified_gtest_suites",
"type": "string",
"help": "Specify which gtest suite to run. "
"Suites are defined in the config file\n."
"Examples: 'gtest'",
},
],
[
[
"--jittest-suite",
],
{
"action": "extend",
"dest": "specified_jittest_suites",
"type": "string",
"help": "Specify which jit-test suite to run. "
"Suites are defined in the config file\n."
"Examples: 'jittest'",
},
],
[
[
"--run-all-suites",
],
{
"action": "store_true",
"dest": "run_all_suites",
"default": False,
"help": "This will run all suites that are specified "
"in the config file. You do not need to specify "
"any other suites.\nBeware, this may take a while ;)",
},
],
[
[
"--disable-e10s",
],
{
"action": "store_false",
"dest": "e10s",
"default": True,
"help": "Run tests without multiple processes (e10s).",
},
],
[
[
"--headless",
],
{
"action": "store_true",
"dest": "headless",
"default": False,
"help": "Run tests in headless mode.",
},
],
[
[
"--no-random",
],
{
"action": "store_true",
"dest": "no_random",
"default": False,
"help": "Run tests with no random intermittents and bisect in case of real failure.", # NOQA: E501
},
],
[
["--total-chunks"],
{
"action": "store",
"dest": "total_chunks",
"help": "Number of total chunks",
},
],
[
["--this-chunk"],
{
"action": "store",
"dest": "this_chunk",
"help": "Number of this chunk",
},
],
[
["--timeout-factor"],
{
"action": "store",
"dest": "timeout_factor",
"help": "Multiplier for test timeout values",
},
],
[
["--filter"],
{
"action": "store",
"dest": "filter",
"default": "",
"help": "Specify a regular expression (as could be passed "
"to the JS RegExp constructor) to test against URLs in "
"the manifest; only test items that have a matching test "
"URL will be run.",
},
],
[
["--allow-software-gl-layers"],
{
"action": "store_true",
"dest": "allow_software_gl_layers",
"default": False,
"help": "Permits a software GL implementation (such as LLVMPipe) to use "
"the GL compositor.",
},
],
[
["--enable-inc-origin-init"],
{
"action": "store_true",
"dest": "enable_inc_origin_init",
"default": False,
"help": "Enable the incremental origin initialization in Gecko.",
},
],
[
["--filter-set"],
{
"action": "store",
"dest": "filter_set",
"default": "",
"help": "Use a predefined filter.",
},
],
[
["--threads"],
{
"action": "store",
"dest": "threads",
"help": "Number of total chunks",
},
],
[
["--variant"],
{
"action": "store",
"dest": "variant",
"default": "",
"help": "specify a variant if mozharness needs to setup paths",
},
],
[
["--gpu-required"],
{
"action": "store_true",
"dest": "gpu_required",
"default": False,
"help": "Run additional verification on modified tests using gpu instances.",
},
],
[
["--setpref"],
{
"action": "append",
"metavar": "PREF=VALUE",
"dest": "extra_prefs",
"default": [],
"help": "Defines an extra user preference.",
},
],
[
[
"--repeat",
],
{
"action": "store",
"type": "int",
"dest": "repeat",
"default": 0,
"help": "Repeat the tests the given number of times. Supported "
"by mochitest, reftest, crashtest, ignored otherwise.",
},
],
[
["--enable-xorigin-tests"],
{
"action": "store_true",
"dest": "enable_xorigin_tests",
"default": False,
"help": "Run tests in a cross origin iframe.",
},
],
[
["--enable-a11y-checks"],
{
"action": "store_true",
"default": False,
"dest": "a11y_checks",
"help": "Run tests with accessibility checks enabled.",
},
],
[
["--run-failures"],
{
"action": "store",
"default": "",
"type": "string",
"dest": "run_failures",
"help": "Run only failures matching keyword. "
"Examples: 'apple_silicon'",
},
],
[
["--crash-as-pass"],
{
"action": "store_true",
"default": False,
"dest": "crash_as_pass",
"help": "treat harness level crash as a pass",
},
],
[
["--timeout-as-pass"],
{
"action": "store_true",
"default": False,
"dest": "timeout_as_pass",
"help": "treat harness level timeout as a pass",
},
],
[
["--disable-fission"],
{
"action": "store_true",
"default": False,
"dest": "disable_fission",
"help": "do not run tests with fission enabled.",
},
],
[
["--conditioned-profile"],
{
"action": "store_true",
"default": False,
"dest": "conditioned_profile",
"help": "run tests with a conditioned profile",
},
],
[
["--tag"],
{
"action": "append",
"default": [],
"dest": "test_tags",
"help": "Filter out tests that don't have the given tag. Can be used multiple "
"times in which case the test must contain at least one of the given tags.",
},
],
[
["--use-http3-server"],
{
"action": "store_true",
"default": False,
"dest": "useHttp3Server",
"help": "Whether to use the Http3 server",
},
],
[
["--use-http2-server"],
{
"action": "store_true",
"default": False,
"dest": "useHttp2Server",
"help": "Whether to use the Http2 server",
},
],
[
["--mochitest-flavor"],
{
"action": "store",
"dest": "mochitest_flavor",
"help": "Specify which mochitest flavor to run."
"Examples: 'plain', 'browser'",
},
],
[
["--install-extension"],
{
"action": "append",
"default": [],
"dest": "install_extension",
"help": "Specify one or more extensions to install in the testing profile."
"This is currently only supported for mochitest tests, and is"
"ignored for other types. Paths are relative to the fetches"
"directory.",
},
],
]
+ copy.deepcopy(testing_config_options)
+ copy.deepcopy(code_coverage_config_options)
)
def __init__(self, require_config_file=True):
# abs_dirs defined already in BaseScript but is here to make pylint happy
self.abs_dirs = None
super(DesktopUnittest, self).__init__(
config_options=self.config_options,
all_actions=[
"clobber",
"download-and-extract",
"create-virtualenv",
"start-pulseaudio",
"unlock-keyring",
"install",
"stage-files",
"run-tests",
"uninstall",
],
require_config_file=require_config_file,
config={"require_test_zip": True},
)
c = self.config
self.global_test_options = []
self.installer_url = c.get("installer_url")
self.test_url = c.get("test_url")
self.test_packages_url = c.get("test_packages_url")
self.symbols_url = c.get("symbols_url")
# this is so mozinstall in install() doesn't bug out if we don't run
# the download_and_extract action
self.installer_path = c.get("installer_path")
self.binary_path = c.get("binary_path")
self.abs_app_dir = None
self.abs_res_dir = None
self.mochitest_flavor = c.get("mochitest_flavor", None)
# Construct an identifier to be used to identify Perfherder data
# for resource monitoring recording. This attempts to uniquely
# identify this test invocation configuration.
perfherder_parts = []
perfherder_options = []
suites = (
("specified_mochitest_suites", "mochitest"),
("specified_reftest_suites", "reftest"),
("specified_xpcshell_suites", "xpcshell"),
("specified_cppunittest_suites", "cppunit"),
("specified_gtest_suites", "gtest"),
("specified_jittest_suites", "jittest"),
)
for s, prefix in suites:
if s in c:
perfherder_parts.append(prefix)
perfherder_parts.extend(c[s])
if "this_chunk" in c:
perfherder_parts.append(c["this_chunk"])
if c["e10s"]:
perfherder_options.append("e10s")
self.resource_monitor_perfherder_id = (
".".join(perfherder_parts),
perfherder_options,
)
# helper methods {{{2
def _pre_config_lock(self, rw_config):
super(DesktopUnittest, self)._pre_config_lock(rw_config)
c = self.config
if not c.get("run_all_suites"):
return # configs are valid
for category in SUITE_CATEGORIES:
specific_suites = c.get("specified_%s_suites" % (category))
if specific_suites:
if specific_suites != "all":
self.fatal(
"Config options are not valid. Please ensure"
" that if the '--run-all-suites' flag was enabled,"
" then do not specify to run only specific suites "
"like:\n '--mochitest-suite browser-chrome'"
)
def query_abs_dirs(self):
if self.abs_dirs:
return self.abs_dirs
abs_dirs = super(DesktopUnittest, self).query_abs_dirs()
c = self.config
dirs = {}
dirs["abs_work_dir"] = abs_dirs["abs_work_dir"]
dirs["abs_app_install_dir"] = os.path.join(
abs_dirs["abs_work_dir"], "application"
)
dirs["abs_test_install_dir"] = os.path.join(abs_dirs["abs_work_dir"], "tests")
dirs["abs_test_extensions_dir"] = os.path.join(
dirs["abs_test_install_dir"], "extensions"
)
dirs["abs_test_bin_dir"] = os.path.join(dirs["abs_test_install_dir"], "bin")
dirs["abs_test_bin_plugins_dir"] = os.path.join(
dirs["abs_test_bin_dir"], "plugins"
)
dirs["abs_test_bin_components_dir"] = os.path.join(
dirs["abs_test_bin_dir"], "components"
)
dirs["abs_mochitest_dir"] = os.path.join(
dirs["abs_test_install_dir"], "mochitest"
)
dirs["abs_reftest_dir"] = os.path.join(dirs["abs_test_install_dir"], "reftest")
dirs["abs_xpcshell_dir"] = os.path.join(
dirs["abs_test_install_dir"], "xpcshell"
)
dirs["abs_cppunittest_dir"] = os.path.join(
dirs["abs_test_install_dir"], "cppunittest"
)
dirs["abs_gtest_dir"] = os.path.join(dirs["abs_test_install_dir"], "gtest")
dirs["abs_blob_upload_dir"] = os.path.join(
abs_dirs["abs_work_dir"], "blobber_upload_dir"
)
dirs["abs_jittest_dir"] = os.path.join(
dirs["abs_test_install_dir"], "jit-test", "jit-test"
)
if os.path.isabs(c["virtualenv_path"]):
dirs["abs_virtualenv_dir"] = c["virtualenv_path"]
else:
dirs["abs_virtualenv_dir"] = os.path.join(
abs_dirs["abs_work_dir"], c["virtualenv_path"]
)
abs_dirs.update(dirs)
self.abs_dirs = abs_dirs
return self.abs_dirs
def query_abs_app_dir(self):
"""We can't set this in advance, because OSX install directories
change depending on branding and opt/debug.
"""
if self.abs_app_dir:
return self.abs_app_dir
if not self.binary_path:
self.fatal("Can't determine abs_app_dir (binary_path not set!)")
self.abs_app_dir = os.path.dirname(self.binary_path)
return self.abs_app_dir
def query_abs_res_dir(self):
"""The directory containing resources like plugins and extensions. On
OSX this is Contents/Resources, on all other platforms its the same as
the app dir.
As with the app dir, we can't set this in advance, because OSX install
directories change depending on branding and opt/debug.
"""
if self.abs_res_dir:
return self.abs_res_dir
abs_app_dir = self.query_abs_app_dir()
if self._is_darwin():
res_subdir = self.config.get("mac_res_subdir", "Resources")
self.abs_res_dir = os.path.join(os.path.dirname(abs_app_dir), res_subdir)
else:
self.abs_res_dir = abs_app_dir
return self.abs_res_dir
@PreScriptAction("create-virtualenv")
def _pre_create_virtualenv(self, action):
dirs = self.query_abs_dirs()
self.register_virtualenv_module(name="mock")
self.register_virtualenv_module(name="simplejson")
requirements_files = [
os.path.join(
dirs["abs_test_install_dir"], "config", "marionette_requirements.txt"
)
]
if self._query_specified_suites("mochitest", "mochitest-media") is not None:
# mochitest-media is the only thing that needs this
requirements_files.append(
os.path.join(
dirs["abs_mochitest_dir"],
"websocketprocessbridge",
"websocketprocessbridge_requirements_3.txt",
)
)
if (
self._query_specified_suites("mochitest", "mochitest-browser-a11y")
is not None
and sys.platform == "win32"
):
# Only Windows a11y browser tests need this.
requirements_files.append(
os.path.join(
dirs["abs_mochitest_dir"],
"browser",
"accessible",
"tests",
"browser",
"windows",
"a11y_setup_requirements.txt",
)
)
for requirements_file in requirements_files:
self.register_virtualenv_module(requirements=[requirements_file])
_python_interp = self.query_exe("python")
if "win" in self.platform_name() and os.path.exists(_python_interp):
multiprocessing.set_executable(_python_interp)
def _query_symbols_url(self):
"""query the full symbols URL based upon binary URL"""
# may break with name convention changes but is one less 'input' for script
if self.symbols_url:
return self.symbols_url
# Use simple text substitution to determine the symbols_url from the
# installer_url. This will not always work: For signed builds, the
# installer_url is likely an artifact in a signing task, which may not
# have a symbols artifact. It might be better to use the test target
# preferentially, like query_prefixed_build_dir_url() does (for future
# consideration, if this code proves troublesome).
symbols_url = None
self.info("finding symbols_url based upon self.installer_url")
if self.installer_url:
for ext in [".zip", ".dmg", ".tar.bz2", ".tar.xz"]:
if ext in self.installer_url:
symbols_url = self.installer_url.replace(
ext, ".crashreporter-symbols.zip"
)
if not symbols_url:
self.fatal(
"self.installer_url was found but symbols_url could \
not be determined"
)
else:
self.fatal("self.installer_url was not found in self.config")
self.info("setting symbols_url as %s" % (symbols_url))
self.symbols_url = symbols_url
return self.symbols_url
def _get_mozharness_test_paths(self, suite_category, suite):
# test_paths is the group name, confirm_paths can be the path+testname
# test_paths will always be the group name, unrelated to if confirm_paths is set or not.
test_paths = json.loads(os.environ.get("MOZHARNESS_TEST_PATHS", '""'))
confirm_paths = json.loads(os.environ.get("MOZHARNESS_CONFIRM_PATHS", '""'))
if "-coverage" in suite:
suite = suite[: suite.index("-coverage")]
if not test_paths or suite not in test_paths:
return None
suite_test_paths = test_paths[suite]
if confirm_paths and suite in confirm_paths and confirm_paths[suite]:
suite_test_paths = confirm_paths[suite]
if suite_category == "reftest":
dirs = self.query_abs_dirs()
suite_test_paths = [
os.path.join(dirs["abs_reftest_dir"], "tests", p)
for p in suite_test_paths
]
return suite_test_paths
def _query_abs_base_cmd(self, suite_category, suite):
if self.binary_path:
c = self.config
dirs = self.query_abs_dirs()
run_file = c["run_file_names"][suite_category]
base_cmd = [self.query_python_path("python"), "-u"]
base_cmd.append(os.path.join(dirs["abs_%s_dir" % suite_category], run_file))
abs_app_dir = self.query_abs_app_dir()
abs_res_dir = self.query_abs_res_dir()
raw_log_file, error_summary_file = self.get_indexed_logs(
dirs["abs_blob_upload_dir"], suite
)
str_format_values = {
"binary_path": self.binary_path,
"symbols_path": self._query_symbols_url(),
"abs_work_dir": dirs["abs_work_dir"],
"abs_app_dir": abs_app_dir,
"abs_res_dir": abs_res_dir,
"raw_log_file": raw_log_file,
"error_summary_file": error_summary_file,
"gtest_dir": os.path.join(dirs["abs_test_install_dir"], "gtest"),
}
if self.mochitest_flavor:
str_format_values.update({"mochitest_flavor": self.mochitest_flavor})
# TestingMixin._download_and_extract_symbols() will set
# self.symbols_path when downloading/extracting.
if self.symbols_path:
str_format_values["symbols_path"] = self.symbols_path
if suite_category not in SUITE_NO_E10S:
if suite_category in SUITE_DEFAULT_E10S and not c["e10s"]:
base_cmd.append("--disable-e10s")
elif suite_category not in SUITE_DEFAULT_E10S and c["e10s"]:
base_cmd.append("--e10s")
if c.get("repeat"):
if suite_category in SUITE_REPEATABLE:
base_cmd.extend(["--repeat=%s" % c.get("repeat")])
else:
self.log(
f"--repeat not supported in {suite_category}",
level=WARNING,
)
if suite_category in SUITE_INSTALL_EXTENSIONS and len(
c.get("install_extension", [])
):
fetches_dir = os.environ.get("MOZ_FETCHES_DIR", '""')
base_cmd.extend(
[
f"--install-extension={os.path.join(fetches_dir, e)}"
for e in c["install_extension"]
]
)
# do not add --disable fission if we don't have --disable-e10s
if c["disable_fission"] and suite_category not in [
"gtest",
"cppunittest",
"jittest",
]:
base_cmd.append("--disable-fission")
if c["useHttp3Server"]:
base_cmd.append("--use-http3-server")
elif c["useHttp2Server"]:
base_cmd.append("--use-http2-server")
if c["restartAfterFailure"]:
base_cmd.append("--restart-after-failure")
# Ignore chunking if we have user specified test paths
if not (self.verify_enabled or self.per_test_coverage):
test_paths = self._get_mozharness_test_paths(suite_category, suite)
if test_paths or c["test_tags"]:
if test_paths:
base_cmd.extend(test_paths)
if c["test_tags"]:
# Exclude suites that don't support --tag to prevent
# errors caused by passing unknown argument.
# Note there's a similar list in chunking.py in
# DefaultLoader's get_manifest method. The lists should
# be kept in sync.
if suite_category not in [
"gtest",
"cppunittest",
"jittest",
"crashtest",
"crashtest-qr",
"jsreftest",
"reftest",
"reftest-qr",
]:
base_cmd.extend([f"--tag={t}" for t in c["test_tags"]])
else:
self.warning(
"--tag does not currently work with the "
"'{suite_category}' suite."
)
elif c.get("total_chunks") and c.get("this_chunk"):
base_cmd.extend(
[
"--total-chunks",
c["total_chunks"],
"--this-chunk",
c["this_chunk"],
]
)
if c.get("timeout_factor"):
base_cmd.extend(["--timeout-factor", c["timeout_factor"]])
if c["no_random"]:
if suite_category == "mochitest":
base_cmd.append("--bisect-chunk=default")
else:
self.warning(
"--no-random does not currently work with suites other than "
"mochitest."
)
if c.get("mochitest_flavor", None):
base_cmd.append("--flavor={}".format(c["mochitest_flavor"]))
if c["headless"]:
base_cmd.append("--headless")
if c["filter"]:
if suite_category == "reftest":
base_cmd.append("--filter={}".format(c["filter"]))
else:
self.warning(
"--filter does not currently work with suites other than "
"reftest."
)
if c["enable_inc_origin_init"]:
if suite_category == "gtest":
base_cmd.append("--enable-inc-origin-init")
else:
self.warning(
"--enable-inc-origin-init does not currently work with "
"suites other than gtest."
)
if c["filter_set"]:
if suite_category == "gtest":
base_cmd.append("--filter-set={}".format(c["filter_set"]))
else:
self.warning(
"--filter-set does not currently work with suites other then "
"gtest."
)
if c.get("threads"):
base_cmd.extend(["--threads", c["threads"]])
if c["variant"]:
base_cmd.append("--variant={}".format(c["variant"]))
if c["enable_xorigin_tests"]:
base_cmd.append("--enable-xorigin-tests")
if suite_category not in ["cppunittest", "gtest", "jittest"]:
# Enable stylo threads everywhere we can. Some tests don't
# support --setpref, so ignore those.
base_cmd.append("--setpref=layout.css.stylo-threads=4")
if c["extra_prefs"]:
base_cmd.extend([f"--setpref={p}" for p in c["extra_prefs"]])
if c["a11y_checks"]:
base_cmd.append("--enable-a11y-checks")
if c["run_failures"]:
base_cmd.extend(["--run-failures={}".format(c["run_failures"])])
if c["timeout_as_pass"]:
base_cmd.append("--timeout-as-pass")
if c["crash_as_pass"]:
base_cmd.append("--crash-as-pass")
if c["conditioned_profile"]:
base_cmd.append("--conditioned-profile")
if suite_category not in c["suite_definitions"]:
self.fatal("'%s' not defined in the config!")
if suite in (
"browser-chrome-coverage",
"xpcshell-coverage",
"mochitest-devtools-chrome-coverage",
"plain-coverage",
):
base_cmd.append("--jscov-dir-prefix=%s" % dirs["abs_blob_upload_dir"])
options = c["suite_definitions"][suite_category]["options"]
if options:
for option in options:
option = option % str_format_values
if not option.endswith("None"):
base_cmd.append(option)
if self.structured_output(
suite_category, self._query_try_flavor(suite_category, suite)
):
base_cmd.append("--log-raw=-")
return base_cmd
else:
self.warning(
"Suite options for %s could not be determined."
"\nIf you meant to have options for this suite, "
"please make sure they are specified in your "
"config under %s_options" % (suite_category, suite_category)
)
return base_cmd
else:
self.fatal(
"'binary_path' could not be determined.\n This should "
"be like '/path/build/application/firefox/firefox'"
"\nIf you are running this script without the 'install' "
"action (where binary_path is set), please ensure you are"
" either:\n(1) specifying it in the config file under "
"binary_path\n(2) specifying it on command line with the"
" '--binary-path' flag"
)
def _query_specified_suites(self, category, sub_category=None):
"""Checks if the provided suite does indeed exist.
If at least one suite was given and if it does exist, return the suite
as legitimate and line it up for execution.
Otherwise, do not run any suites and return a fatal error.
"""
c = self.config
all_suites = c.get(f"all_{category}_suites", None)
specified_suites = c.get(f"specified_{category}_suites", None)
# Bug 1603842 - disallow selection of more than 1 suite at at time
if specified_suites is None:
# Path taken by test-verify
return self.query_per_test_category_suites(category, all_suites)
if specified_suites and len(specified_suites) > 1:
self.fatal(
"""Selection of multiple suites is not permitted. \
Please select at most 1 test suite."""
)
return
# Normal path taken by most test suites as only one suite is specified
suite = specified_suites[0]
if suite not in all_suites:
self.fatal("""Selected suite does not exist!""")
# allow for fine grain suite selection
ret_val = all_suites[suite]
if sub_category in all_suites:
if all_suites[sub_category] != ret_val:
return None
return {suite: ret_val}
def _query_try_flavor(self, category, suite):
flavors = {
"mochitest": [
("plain.*", "mochitest"),
("browser-chrome.*", "browser-chrome"),
("mochitest-browser-a11y.*", "browser-a11y"),
("mochitest-browser-media.*", "browser-media"),
("mochitest-browser-translations.*", "browser-translations"),
("mochitest-devtools-chrome.*", "devtools-chrome"),
("chrome", "chrome"),
],
"xpcshell": [("xpcshell", "xpcshell")],
"reftest": [("reftest", "reftest"), ("crashtest", "crashtest")],
}
for suite_pattern, flavor in flavors.get(category, []):
if re.compile(suite_pattern).match(suite):
return flavor
def structured_output(self, suite_category, flavor=None):
unstructured_flavors = self.config.get("unstructured_flavors")
if not unstructured_flavors:
return True
if suite_category not in unstructured_flavors:
return True
if not unstructured_flavors.get(
suite_category
) or flavor in unstructured_flavors.get(suite_category):
return False
return True
def get_test_output_parser(
self, suite_category, flavor=None, strict=False, **kwargs
):
if not self.structured_output(suite_category, flavor):
return DesktopUnittestOutputParser(suite_category=suite_category, **kwargs)
self.info("Structured output parser in use for %s." % suite_category)
return StructuredOutputParser(
suite_category=suite_category, strict=strict, **kwargs
)
# Actions {{{2
# clobber defined in BaseScript, deletes mozharness/build if exists
# preflight_download_and_extract is in TestingMixin.
# create_virtualenv is in VirtualenvMixin.
# preflight_install is in TestingMixin.
# install is in TestingMixin.
@PreScriptAction("download-and-extract")
def _pre_download_and_extract(self, action):
"""Abort if --artifact try syntax is used with compiled-code tests"""
dir = self.query_abs_dirs()["abs_blob_upload_dir"]
self.mkdir_p(dir)
if not self.try_message_has_flag("artifact"):
return
self.info("Artifact build requested in try syntax.")
rejected = []
compiled_code_suites = [
"cppunit",
"gtest",
"jittest",
]
for category in SUITE_CATEGORIES:
suites = self._query_specified_suites(category) or []
for suite in suites:
if any([suite.startswith(c) for c in compiled_code_suites]):
rejected.append(suite)
break
if rejected:
self.record_status(TBPL_EXCEPTION)
self.fatal(
"There are specified suites that are incompatible with "
"--artifact try syntax flag: {}".format(", ".join(rejected)),
exit_code=self.return_code,
)
def download_and_extract(self):
"""
download and extract test zip / download installer
optimizes which subfolders to extract from tests archive
"""
c = self.config
extract_dirs = None
if c.get("run_all_suites"):
target_categories = SUITE_CATEGORIES
else:
target_categories = [
cat
for cat in SUITE_CATEGORIES
if self._query_specified_suites(cat) is not None
]
super(DesktopUnittest, self).download_and_extract(
extract_dirs=extract_dirs, suite_categories=target_categories
)
def unlock_keyring(self):
if os.environ.get("NEED_GNOME_KEYRING") == "true":
self.log("replacing and unlocking gnome-keyring-daemon")
import subprocess
subprocess.run(
[
"gnome-keyring-daemon",
"-r",
"-d",
"--unlock",
"--components=secrets",
],
check=True,
input=b"\n",
)
def start_pulseaudio(self):
command = []
# Implies that underlying system is Linux.
if os.environ.get("NEED_PULSEAUDIO") == "true":
command.extend(
[
"pulseaudio",
"--daemonize",
"--log-level=4",
"--log-time=1",
"-vvvvv",
"--exit-idle-time=-1",
]
)
# Only run the initialization for Debian.
# Ubuntu appears to have an alternate method of starting pulseaudio.
if self._is_debian():
self._kill_named_proc("pulseaudio")
self.run_command(command)
# All Linux systems need module-null-sink to be loaded, otherwise
# media tests fail.
self.run_command("pactl load-module module-null-sink")
modules = self.get_output_from_command("pactl list modules short")
if not [l for l in modules.splitlines() if "module-x11" in l]:
# gnome-session isn't running, missing logind and other system services
# force the task to retry (return 4)
self.return_code = 4
self.fatal(
"Unable to start PulseAudio and load x11 modules",
exit_code=self.return_code,
)
def stage_files(self):
for category in SUITE_CATEGORIES:
suites = self._query_specified_suites(category)
stage = getattr(self, f"_stage_{category}", None)
if suites and stage:
stage(suites)
def _stage_files(self, bin_name=None, fail_if_not_exists=True):
dirs = self.query_abs_dirs()
abs_app_dir = self.query_abs_app_dir()
# For mac these directories are in Contents/Resources, on other
# platforms abs_res_dir will point to abs_app_dir.
abs_res_dir = self.query_abs_res_dir()
abs_res_components_dir = os.path.join(abs_res_dir, "components")
abs_res_plugins_dir = os.path.join(abs_res_dir, "plugins")
abs_res_extensions_dir = os.path.join(abs_res_dir, "extensions")
if bin_name:
src = os.path.join(dirs["abs_test_bin_dir"], bin_name)
if os.path.exists(src):
self.info(
"copying %s to %s" % (src, os.path.join(abs_app_dir, bin_name))
)
shutil.copy2(src, os.path.join(abs_app_dir, bin_name))
elif fail_if_not_exists:
raise OSError("File %s not found" % src)
self.copytree(
dirs["abs_test_bin_components_dir"],
abs_res_components_dir,
overwrite="overwrite_if_exists",
)
self.mkdir_p(abs_res_plugins_dir)
self.copytree(
dirs["abs_test_bin_plugins_dir"],
abs_res_plugins_dir,
overwrite="overwrite_if_exists",
)
if os.path.isdir(dirs["abs_test_extensions_dir"]):
self.mkdir_p(abs_res_extensions_dir)
self.copytree(
dirs["abs_test_extensions_dir"],
abs_res_extensions_dir,
overwrite="overwrite_if_exists",
)
def _stage_xpcshell(self, suites):
if "WindowsApps" in self.binary_path:
self.log(
"Skipping stage xpcshell for MSIX tests because we cannot copy files into the installation directory."
)
return
self._stage_files(self.config["xpcshell_name"])
if "plugin_container_name" in self.config:
self._stage_files(self.config["plugin_container_name"])
# http3server isn't built for Windows tests or Linux asan/tsan
# builds. Only stage if the `http3server_name` config is set and if
# the file actually exists.
if self.config.get("http3server_name"):
self._stage_files(self.config["http3server_name"], fail_if_not_exists=False)
def _stage_cppunittest(self, suites):
abs_res_dir = self.query_abs_res_dir()
dirs = self.query_abs_dirs()
abs_cppunittest_dir = dirs["abs_cppunittest_dir"]
# move manifest and js fils to resources dir, where tests expect them
files = glob.glob(os.path.join(abs_cppunittest_dir, "*.js"))
files.extend(glob.glob(os.path.join(abs_cppunittest_dir, "*.manifest")))
for f in files:
self.move(f, abs_res_dir)
def _stage_gtest(self, suites):
abs_res_dir = self.query_abs_res_dir()
abs_app_dir = self.query_abs_app_dir()
dirs = self.query_abs_dirs()
abs_gtest_dir = dirs["abs_gtest_dir"]
dirs["abs_test_bin_dir"] = os.path.join(dirs["abs_test_install_dir"], "bin")
files = glob.glob(os.path.join(dirs["abs_test_bin_plugins_dir"], "gmp-*"))
files.append(os.path.join(abs_gtest_dir, "dependentlibs.list.gtest"))
for f in files:
self.move(f, abs_res_dir)
self.copytree(
os.path.join(abs_gtest_dir, "gtest_bin"), os.path.join(abs_app_dir)
)
def _kill_proc_tree(self, pid):
# Kill a process tree (including grandchildren) with signal.SIGTERM
try:
import signal
import psutil
if pid == os.getpid():
return (None, None)
parent = psutil.Process(pid)
children = parent.children(recursive=True)
children.append(parent)
for p in children:
p.send_signal(signal.SIGTERM)
# allow for 60 seconds to kill procs
timeout = 60
gone, alive = psutil.wait_procs(children, timeout=timeout)
for p in gone:
self.info("psutil found pid %s dead" % p.pid)
for p in alive:
self.error("failed to kill pid %d after %d" % (p.pid, timeout))
return (gone, alive)
except Exception as e:
self.error("Exception while trying to kill process tree: %s" % str(e))
def _kill_named_proc(self, pname):
try:
import psutil
except Exception as e:
self.info(
"Error importing psutil, not killing process %s: %s" % pname, str(e)
)
return
for proc in psutil.process_iter():
try:
if proc.name() == pname:
procd = proc.as_dict(attrs=["pid", "ppid", "name", "username"])
self.info("in _kill_named_proc, killing %s" % procd)
self._kill_proc_tree(proc.pid)
except Exception as e:
self.info("Warning: Unable to kill process %s: %s" % (pname, str(e)))
# may not be able to access process info for all processes
continue
def _remove_xen_clipboard(self):
"""
When running on a Windows 7 VM, we have XenDPriv.exe running which
interferes with the clipboard, lets terminate this process and remove
the binary so it doesn't restart
"""
if not self._is_windows():
return
self._kill_named_proc("XenDPriv.exe")
xenpath = os.path.join(
os.environ["ProgramFiles"], "Citrix", "XenTools", "XenDPriv.exe"
)
try:
if os.path.isfile(xenpath):
os.remove(xenpath)
except Exception as e:
self.error("Error: Failure to remove file %s: %s" % (xenpath, str(e)))
def _report_system_info(self):
"""
Create the system-info.log artifact file, containing a variety of
system information that might be useful in diagnosing test failures.
"""
try:
import psutil
path = os.path.join(
self.query_abs_dirs()["abs_blob_upload_dir"], "system-info.log"
)
with open(path, "w") as f:
f.write("System info collected at %s\n\n" % datetime.now())
f.write("\nBoot time %s\n" % datetime.fromtimestamp(psutil.boot_time()))
f.write("\nVirtual memory: %s\n" % str(psutil.virtual_memory()))
f.write("\nDisk partitions: %s\n" % str(psutil.disk_partitions()))
f.write("\nDisk usage (/): %s\n" % str(psutil.disk_usage(os.path.sep)))
if not self._is_windows():
# bug 1417189: frequent errors querying users on Windows
f.write("\nUsers: %s\n" % str(psutil.users()))
f.write("\nNetwork connections:\n")
try:
for nc in psutil.net_connections():
f.write(" %s\n" % str(nc))
except Exception as e:
f.write("Exception getting network info: %s\n" % e)
f.write("\nProcesses:\n")
try:
for p in psutil.process_iter():
ctime = str(datetime.fromtimestamp(p.create_time()))
try:
cmdline = p.cmdline()
except psutil.NoSuchProcess:
cmdline = ""
f.write(
" PID %d %s %s created at %s [%s]\n"
% (p.pid, p.name(), cmdline, ctime, p.status())
)
except Exception as e:
f.write("Exception getting process info: %s\n" % e)
except Exception:
# psutil throws a variety of intermittent exceptions
self.info("Unable to complete system-info.log: %s" % sys.exc_info()[0])
# pull defined in VCSScript.
# preflight_run_tests defined in TestingMixin.
def run_tests(self):
self._remove_xen_clipboard()
self._report_system_info()
self.start_time = datetime.now()
for category in SUITE_CATEGORIES:
if not self._run_category_suites(category):
break
def get_timeout_for_category(self, suite_category):
if suite_category == "cppunittest":
return 2500
return self.config["suite_definitions"][suite_category].get("run_timeout", 1000)
def _run_category_suites(self, suite_category):
"""run suite(s) to a specific category"""
dirs = self.query_abs_dirs()
suites = self._query_specified_suites(suite_category)
abs_app_dir = self.query_abs_app_dir()
abs_res_dir = self.query_abs_res_dir()
max_per_test_time = timedelta(minutes=60)
max_per_test_tests = 10
if self.per_test_coverage:
max_per_test_tests = 30
executed_tests = 0
executed_too_many_tests = False
xpcshell_selftests = 0
def do_gnome_video_recording(suite_name, upload_dir, ev):
import os
import dbus
target_file = os.path.join(
upload_dir,
f"video_{suite_name}.webm",
)
self.info(f"Recording suite {suite_name} to {target_file}")
session_bus = dbus.SessionBus()
session_bus.call_blocking(
"org.gnome.Shell.Screencast",
"/org/gnome/Shell/Screencast",
"org.gnome.Shell.Screencast",
"Screencast",
signature="sa{sv}",
args=[
target_file,
{"draw-cursor": True, "framerate": 35},
],
)
ev.wait()
session_bus.call_blocking(
"org.gnome.Shell.Screencast",
"/org/gnome/Shell/Screencast",
"org.gnome.Shell.Screencast",
"StopScreencast",
signature="",
args=[],
)
def do_macos_video_recording(suite_name, upload_dir, ev):
import os
import subprocess
target_file = os.path.join(
upload_dir,
f"video_{suite_name}.mov",
)
self.info(f"Recording suite {suite_name} to {target_file}")
process = subprocess.Popen(
["/usr/sbin/screencapture", "-v", "-k", target_file],
stdin=subprocess.PIPE,
)
ev.wait()
process.stdin.write(b"p")
process.stdin.flush()
process.wait()
if suites:
self.info("#### Running %s suites" % suite_category)
for suite in suites:
if executed_too_many_tests and not self.per_test_coverage:
return False
replace_dict = {
"abs_app_dir": abs_app_dir,
# Mac specific, but points to abs_app_dir on other
# platforms.
"abs_res_dir": abs_res_dir,
"binary_path": self.binary_path,
"install_dir": self.install_dir,
}
options_list = []
env = {"TEST_SUITE": suite}
if isinstance(suites[suite], dict):
options_list = suites[suite].get("options", [])
if (
self.verify_enabled
or self.per_test_coverage
or self._get_mozharness_test_paths(suite_category, suite)
):
# Ignore tests list in modes where we are running specific tests.
tests_list = []
else:
tests_list = suites[suite].get("tests", [])
env = copy.deepcopy(suites[suite].get("env", {}))
else:
options_list = suites[suite]
tests_list = []
flavor = (
self.mochitest_flavor
if self.mochitest_flavor
else self._query_try_flavor(suite_category, suite)
)
if self.mochitest_flavor:
replace_dict.update({"mochitest_flavor": flavor})
try_options, try_tests = self.try_args(flavor)
suite_name = suite_category + "-" + suite
tbpl_status, log_level = None, None
error_list = BaseErrorList + HarnessErrorList
parser = self.get_test_output_parser(
suite_category,
flavor=flavor,
config=self.config,
error_list=error_list,
log_obj=self.log_obj,
)
if suite_category == "reftest":
ref_formatter = load_source(
"ReftestFormatter",
os.path.abspath(
os.path.join(dirs["abs_reftest_dir"], "output.py")
),
)
parser.formatter = ref_formatter.ReftestFormatter()
if self.query_minidump_stackwalk():
env["MINIDUMP_STACKWALK"] = self.minidump_stackwalk_path
if self.config["nodejs_path"]:
env["MOZ_NODE_PATH"] = self.config["nodejs_path"]
env["MOZ_UPLOAD_DIR"] = self.query_abs_dirs()["abs_blob_upload_dir"]
env["MINIDUMP_SAVE_PATH"] = self.query_abs_dirs()["abs_blob_upload_dir"]
env["RUST_BACKTRACE"] = "full"
if not os.path.isdir(env["MOZ_UPLOAD_DIR"]):
self.mkdir_p(env["MOZ_UPLOAD_DIR"])
if self.config["allow_software_gl_layers"]:
env["MOZ_LAYERS_ALLOW_SOFTWARE_GL"] = "1"
env = self.query_env(partial_env=env, log_level=INFO)
cmd_timeout = self.get_timeout_for_category(suite_category)
summary = {}
for per_test_args in self.query_args(suite):
# Make sure baseline code coverage tests are never
# skipped and that having them run has no influence
# on the max number of actual tests that are to be run.
is_baseline_test = (
"baselinecoverage" in per_test_args[-1]
if self.per_test_coverage
else False
)
if executed_too_many_tests and not is_baseline_test:
continue
if not is_baseline_test:
if (datetime.now() - self.start_time) > max_per_test_time:
# Running tests has run out of time. That is okay! Stop running
# them so that a task timeout is not triggered, and so that
# (partial) results are made available in a timely manner.
self.info(
"TinderboxPrint: Running tests took too long: Not all tests "
"were executed.<br/>"
)
# Signal per-test time exceeded, to break out of suites and
# suite categories loops also.
return False
if executed_tests >= max_per_test_tests:
# When changesets are merged between trees or many tests are
# otherwise updated at once, there probably is not enough time
# to run all tests, and attempting to do so may cause other
# problems, such as generating too much log output.
self.info(
"TinderboxPrint: Too many modified tests: Not all tests "
"were executed.<br/>"
)
executed_too_many_tests = True
executed_tests = executed_tests + 1
abs_base_cmd = self._query_abs_base_cmd(suite_category, suite)
cmd = abs_base_cmd[:]
cmd.extend(
self.query_options(
options_list, try_options, str_format_values=replace_dict
)
)
cmd.extend(
self.query_tests_args(
tests_list, try_tests, str_format_values=replace_dict
)
)
final_cmd = copy.copy(cmd)
final_cmd.extend(per_test_args)
# Run xpcshell self-tests only once per test-verify run or only in chunk 1.
if "--self-test" in final_cmd:
should_remove_selftest = False
# Remove self-test for test-verify runs after the first one
if self.verify_enabled or self.per_test_coverage:
xpcshell_selftests += 1
if xpcshell_selftests > 1:
should_remove_selftest = True
# Remove self-test for chunked runs when not in chunk 1
if (
self.config.get("this_chunk")
and int(self.config["this_chunk"]) != 1
):
should_remove_selftest = True
if should_remove_selftest:
final_cmd.remove("--self-test")
final_env = copy.copy(env)
finish_video = threading.Event()
video_recording_thread = None
if os.getenv("MOZ_RECORD_TEST"):
video_recording_target = None
if sys.platform == "linux":
video_recording_target = do_gnome_video_recording
elif sys.platform == "darwin":
video_recording_target = do_macos_video_recording
if video_recording_target:
video_recording_thread = threading.Thread(
target=video_recording_target,
args=(
suite,
env["MOZ_UPLOAD_DIR"],
finish_video,
),
)
self.info(f"Starting recording thread {suite}")
video_recording_thread.start()
else:
self.warning(
"Screen recording not implemented for this platform"
)
if self.per_test_coverage:
self.set_coverage_env(final_env)
return_code = self.run_command(
final_cmd,
cwd=dirs["abs_work_dir"],
output_timeout=cmd_timeout,
output_parser=parser,
env=final_env,
)
if self.per_test_coverage:
self.add_per_test_coverage_report(
final_env, suite, per_test_args[-1]
)
# mochitest, reftest, and xpcshell suites do not return
# appropriate return codes. Therefore, we must parse the output
# to determine what the tbpl_status and worst_log_level must
# be. We do this by:
# 1) checking to see if our mozharness script ran into any
# errors itself with 'num_errors' <- OutputParser
# 2) if num_errors is 0 then we look in the subclassed 'parser'
# findings for harness/suite errors <- DesktopUnittestOutputParser
# 3) checking to see if the return code is in success_codes
if video_recording_thread:
self.info(f"Stopping recording thread {suite}")
finish_video.set()
video_recording_thread.join()
self.info(f"Stopped recording thread {suite}")
success_codes = None
tbpl_status, log_level, summary = parser.evaluate_parser(
return_code, success_codes, summary
)
parser.append_tinderboxprint_line(suite_name)
self.record_status(tbpl_status, level=log_level)
if len(per_test_args) > 0:
self.log_per_test_status(
per_test_args[-1], tbpl_status, log_level
)
if tbpl_status == TBPL_RETRY:
self.info("Per-test run abandoned due to RETRY status")
return False
else:
# report as INFO instead of log_level to avoid extra Treeherder lines
self.info(
"The %s suite: %s ran with return status: %s"
% (suite_category, suite, tbpl_status),
)
if executed_too_many_tests:
return False
else:
self.debug("There were no suites to run for %s" % suite_category)
return True
def uninstall(self):
# Technically, we might miss this step if earlier steps fail badly.
# If that becomes a big issue we should consider moving this to
# something that is more likely to execute, such as
# postflight_run_cmd_suites
if "WindowsApps" in self.binary_path:
self.uninstall_app(self.binary_path)
else:
self.log("Skipping uninstall for non-MSIX test")
# main {{{1
if __name__ == "__main__":
desktop_unittest = DesktopUnittest()
desktop_unittest.run_and_exit()
|