1 # This Source Code Form is subject to the terms of the Mozilla Public
2 # License, v. 2.0. If a copy of the MPL was not distributed with this
3 # file, You can obtain one at http://mozilla.org/MPL/2.0/.
5 from __future__
import absolute_import
, print_function
, unicode_literals
13 from mach
.decorators
import (
20 from mozbuild
.base
import (
21 BuildEnvironmentNotFoundException
,
22 MachCommandConditions
as conditions
,
26 I was unable to find tests from the given argument(s).
28 You should specify a test directory, filename, test suite name, or
31 It's possible my little brain doesn't know about the type of test you are
32 trying to execute. If you suspect this, please request support by filing
34 https://bugzilla.mozilla.org/enter_bug.cgi?product=Testing&component=General.
38 I know you are trying to run a %s%s test. Unfortunately, I can't run those
43 Test or tests to run. Tests can be specified by filename, directory, suite
46 The following test suites and aliases are supported: {}
51 class TestConfig(object):
53 def config_settings(cls
):
54 from mozlog
.commandline
import log_formatters
55 from mozlog
.structuredlog
import log_levels
57 format_desc
= "The default format to use when running tests with `mach test`."
58 format_choices
= list(log_formatters
)
59 level_desc
= "The default log level to use when running tests with `mach test`."
60 level_choices
= [l
.lower() for l
in log_levels
]
62 ("test.format", "string", format_desc
, "mach", {"choices": format_choices
}),
63 ("test.level", "string", level_desc
, "info", {"choices": level_choices
}),
67 def get_test_parser():
68 from mozlog
.commandline
import add_logging_group
69 from moztest
.resolve
import TEST_SUITES
71 parser
= argparse
.ArgumentParser()
76 help=TEST_HELP
.format(", ".join(sorted(TEST_SUITES
))),
81 nargs
=argparse
.REMAINDER
,
82 help="Extra arguments to pass to the underlying test command(s). "
83 "If an underlying command doesn't recognize the argument, it "
91 help="Specify a debugger to use.",
93 add_logging_group(parser
)
97 ADD_TEST_SUPPORTED_SUITES
= [
100 "mochitest-browser-chrome",
101 "web-platform-tests-testharness",
102 "web-platform-tests-reftest",
105 ADD_TEST_SUPPORTED_DOCS
= ["js", "html", "xhtml", "xul"]
108 "wpt": "web-platform-tests-testharness",
109 "wpt-testharness": "web-platform-tests-testharness",
110 "wpt-reftest": "web-platform-tests-reftest",
113 MISSING_ARG
= object()
116 def create_parser_addtest():
119 parser
= argparse
.ArgumentParser()
122 choices
=sorted(ADD_TEST_SUPPORTED_SUITES
+ list(SUITE_SYNONYMS
.keys())),
123 help="suite for the test. "
124 "If you pass a `test` argument this will be determined "
125 "based on the filename and the folder it is in",
131 help="Overwrite an existing file if it exists.",
135 choices
=ADD_TEST_SUPPORTED_DOCS
,
136 help="Document type for the test (if applicable)."
137 "If you pass a `test` argument this will be determined "
138 "based on the filename.",
146 help="Open the created file(s) in an editor; if a "
147 "binary is supplied it will be used otherwise the default editor for "
148 "your environment will be opened",
151 for base_suite
in addtest
.TEST_CREATORS
:
152 cls
= addtest
.TEST_CREATORS
[base_suite
]
153 if hasattr(cls
, "get_parser"):
154 group
= parser
.add_argument_group(base_suite
)
155 cls
.get_parser(group
)
157 parser
.add_argument("test", nargs
="?", help=("Test to create."))
164 description
="Generate tests based on templates",
165 parser
=create_parser_addtest
,
178 from moztest
.resolve
import TEST_SUITES
180 if not suite
and not test
:
181 return create_parser_addtest().parse_args(["--help"])
183 if suite
in SUITE_SYNONYMS
:
184 suite
= SUITE_SYNONYMS
[suite
]
187 if not overwrite
and os
.path
.isfile(os
.path
.abspath(test
)):
188 print("Error: can't generate a test that already exists:", test
)
191 abs_test
= os
.path
.abspath(test
)
193 doc
= guess_doc(abs_test
)
195 guessed_suite
, err
= guess_suite(abs_test
)
199 suite
= guessed_suite
208 "We couldn't automatically determine a suite. "
209 "Please specify `--suite` with one of the following options:\n{}\n"
210 "If you'd like to add support to a new suite, please file a bug "
211 "blocking https://bugzilla.mozilla.org/show_bug.cgi?id=1540285.".format(
212 ADD_TEST_SUPPORTED_SUITES
217 if doc
not in ADD_TEST_SUPPORTED_DOCS
:
219 "Error: invalid `doc`. Either pass in a test with a valid extension"
220 "({}) or pass in the `doc` argument".format(ADD_TEST_SUPPORTED_DOCS
)
224 creator_cls
= addtest
.creator_for_suite(suite
)
226 if creator_cls
is None:
227 print("Sorry, `addtest` doesn't currently know how to add {}".format(suite
))
230 creator
= creator_cls(command_context
.topsrcdir
, test
, suite
, doc
, **kwargs
)
236 for path
, template
in creator
:
242 print("Adding a test file at {} (suite `{}`)".format(path
, suite
))
245 os
.makedirs(os
.path
.dirname(path
))
249 with io
.open(path
, "w", newline
="\n") as f
:
252 # write to stdout if you passed only suite and doc and not a file path
259 creator
.update_manifest()
261 # Small hack, should really do this better
262 if suite
.startswith("wpt-"):
263 suite
= "web-platform-tests"
265 mach_command
= TEST_SUITES
[suite
]["mach_command"]
267 "Please make sure to add the new test to your commit. "
268 "You can now run the test with:\n ./mach {} {}".format(
273 if editor
is not MISSING_ARG
:
274 if editor
is not None:
276 elif "VISUAL" in os
.environ
:
277 editor
= os
.environ
["VISUAL"]
278 elif "EDITOR" in os
.environ
:
279 editor
= os
.environ
["EDITOR"]
281 print("Unable to determine editor; please specify a binary")
288 proc
= subprocess
.Popen("%s %s" % (editor
, " ".join(paths
)), shell
=True)
296 def guess_doc(abs_test
):
297 filename
= os
.path
.basename(abs_test
)
298 return os
.path
.splitext(filename
)[1].strip(".")
301 def guess_suite(abs_test
):
302 # If you pass a abs_test, try to detect the type based on the name
303 # and folder. This detection can be skipped if you pass the `type` arg.
306 parent
= os
.path
.dirname(abs_test
)
307 filename
= os
.path
.basename(abs_test
)
309 has_browser_ini
= os
.path
.isfile(os
.path
.join(parent
, "browser.ini"))
310 has_chrome_ini
= os
.path
.isfile(os
.path
.join(parent
, "chrome.ini"))
311 has_plain_ini
= os
.path
.isfile(os
.path
.join(parent
, "mochitest.ini"))
312 has_xpcshell_ini
= os
.path
.isfile(os
.path
.join(parent
, "xpcshell.ini"))
314 in_wpt_folder
= abs_test
.startswith(
315 os
.path
.abspath(os
.path
.join("testing", "web-platform"))
319 guessed_suite
= "web-platform-tests-testharness"
320 if "/css/" in abs_test
:
321 guessed_suite
= "web-platform-tests-reftest"
323 filename
.startswith("test_")
325 and guess_doc(abs_test
) == "js"
327 guessed_suite
= "xpcshell"
329 if filename
.startswith("browser_") and has_browser_ini
:
330 guessed_suite
= "mochitest-browser-chrome"
331 elif filename
.startswith("test_"):
332 if has_chrome_ini
and has_plain_ini
:
334 "Error: directory contains both a chrome.ini and mochitest.ini. "
335 "Please set --suite=mochitest-chrome or --suite=mochitest-plain."
338 guessed_suite
= "mochitest-chrome"
340 guessed_suite
= "mochitest-plain"
341 return guessed_suite
, err
347 description
="Run tests (detects the kind of test and runs it).",
348 parser
=get_test_parser
,
350 def test(command_context
, what
, extra_args
, **log_args
):
351 """Run tests from names or paths.
353 mach test accepts arguments specifying which tests to run. Each argument
356 * The path to a test file
357 * A directory containing tests
359 * An alias to a test suite name (codes used on TreeHerder)
361 When paths or directories are given, they are first resolved to test
362 files known to the build system.
364 If resolved tests belong to more than one test type/flavor/harness,
365 the harness for each relevant type/flavor will be invoked. e.g. if
366 you specify a directory with xpcshell and browser chrome mochitests,
367 both harnesses will be invoked.
369 Warning: `mach test` does not automatically re-build.
370 Please remember to run `mach build` when necessary.
374 Run all test files in the devtools/client/shared/redux/middleware/xpcshell/
377 `./mach test devtools/client/shared/redux/middleware/xpcshell/`
379 The below command prints a short summary of results instead of
380 the default more verbose output.
381 Do not forget the - (minus sign) after --log-grouped!
383 `./mach test --log-grouped - devtools/client/shared/redux/middleware/xpcshell/`
385 from mozlog
.commandline
import setup_logging
386 from mozlog
.handlers
import StreamHandler
387 from moztest
.resolve
import get_suite_definition
, TestResolver
, TEST_SUITES
389 resolver
= command_context
._spawn
(TestResolver
)
390 run_suites
, run_tests
= resolver
.resolve_metadata(what
)
392 if not run_suites
and not run_tests
:
396 if log_args
.get("debugger", None):
399 if not mozdebug
.get_debugger_info(log_args
.get("debugger")):
401 extra_args_debugger_notation
= "=".join(
402 ["--debugger", log_args
.get("debugger")]
405 extra_args
.append(extra_args_debugger_notation
)
407 extra_args
= [extra_args_debugger_notation
]
409 # Create shared logger
410 format_args
= {"level": command_context
._mach
_context
.settings
["test"]["level"]}
411 if not run_suites
and len(run_tests
) == 1:
412 format_args
["verbose"] = True
413 format_args
["compact"] = False
415 default_format
= command_context
._mach
_context
.settings
["test"]["format"]
417 "mach-test", log_args
, {default_format
: sys
.stdout
}, format_args
419 for handler
in log
.handlers
:
420 if isinstance(handler
, StreamHandler
):
421 handler
.formatter
.inner
.summary_on_shutdown
= True
424 for suite_name
in run_suites
:
425 suite
= TEST_SUITES
[suite_name
]
426 kwargs
= suite
["kwargs"]
428 kwargs
.setdefault("subsuite", None)
430 if "mach_command" in suite
:
431 res
= command_context
._mach
_context
.commands
.dispatch(
432 suite
["mach_command"],
433 command_context
._mach
_context
,
441 for test
in run_tests
:
442 key
= (test
["flavor"], test
.get("subsuite", ""))
443 buckets
.setdefault(key
, []).append(test
)
445 for (flavor
, subsuite
), tests
in sorted(buckets
.items()):
446 _
, m
= get_suite_definition(flavor
, subsuite
)
447 if "mach_command" not in m
:
448 substr
= "-{}".format(subsuite
) if subsuite
else ""
449 print(UNKNOWN_FLAVOR
% (flavor
, substr
))
453 kwargs
= dict(m
["kwargs"])
455 kwargs
.setdefault("subsuite", None)
457 res
= command_context
._mach
_context
.commands
.dispatch(
459 command_context
._mach
_context
,
472 "cppunittest", category
="testing", description
="Run cpp unit tests (C++ tests)."
478 help="Test to run. Can be specified as one or more files or "
479 "directories, or omitted. If omitted, the entire test suite is "
482 def run_cppunit_test(command_context
, **params
):
483 from mozlog
import commandline
485 log
= params
.get("log")
487 log
= commandline
.setup_logging("cppunittest", {}, {"tbpl": sys
.stdout
})
489 # See if we have crash symbols
490 symbols_path
= os
.path
.join(command_context
.distdir
, "crashreporter-symbols")
491 if not os
.path
.isdir(symbols_path
):
494 # If no tests specified, run all tests in main manifest
495 tests
= params
["test_files"]
497 tests
= [os
.path
.join(command_context
.distdir
, "cppunittests")]
498 manifest_path
= os
.path
.join(
499 command_context
.topsrcdir
, "testing", "cppunittest.ini"
504 utility_path
= command_context
.bindir
506 if conditions
.is_android(command_context
):
507 from mozrunner
.devices
.android_device
import (
508 verify_android_device
,
512 verify_android_device(command_context
, install
=InstallIntent
.NO
)
513 return run_android_test(tests
, symbols_path
, manifest_path
, log
)
515 return run_desktop_test(
516 command_context
, tests
, symbols_path
, manifest_path
, utility_path
, log
520 def run_desktop_test(
521 command_context
, tests
, symbols_path
, manifest_path
, utility_path
, log
523 import runcppunittests
as cppunittests
524 from mozlog
import commandline
526 parser
= cppunittests
.CPPUnittestOptions()
527 commandline
.add_logging_group(parser
)
528 options
, args
= parser
.parse_args()
530 options
.symbols_path
= symbols_path
531 options
.manifest_path
= manifest_path
532 options
.utility_path
= utility_path
533 options
.xre_path
= command_context
.bindir
536 result
= cppunittests
.run_test_harness(options
, tests
)
537 except Exception as e
:
538 log
.error("Caught exception running cpp unit tests: %s" % str(e
))
542 return 0 if result
else 1
545 def run_android_test(command_context
, tests
, symbols_path
, manifest_path
, log
):
546 import remotecppunittests
as remotecppunittests
547 from mozlog
import commandline
549 parser
= remotecppunittests
.RemoteCPPUnittestOptions()
550 commandline
.add_logging_group(parser
)
551 options
, args
= parser
.parse_args()
553 if not options
.adb_path
:
554 from mozrunner
.devices
.android_device
import get_adb_path
556 options
.adb_path
= get_adb_path(command_context
)
557 options
.symbols_path
= symbols_path
558 options
.manifest_path
= manifest_path
559 options
.xre_path
= command_context
.bindir
560 options
.local_lib
= command_context
.bindir
.replace("bin", "fennec")
561 for file in os
.listdir(os
.path
.join(command_context
.topobjdir
, "dist")):
562 if file.endswith(".apk") and file.startswith("fennec"):
563 options
.local_apk
= os
.path
.join(command_context
.topobjdir
, "dist", file)
564 log
.info("using APK: " + options
.local_apk
)
568 result
= remotecppunittests
.run_test_harness(options
, tests
)
569 except Exception as e
:
570 log
.error("Caught exception running cpp unit tests: %s" % str(e
))
574 return 0 if result
else 1
577 def executable_name(name
):
578 return name
+ ".exe" if sys
.platform
.startswith("win") else name
584 description
="Run SpiderMonkey JS tests in the JS shell.",
586 @CommandArgument("--shell", help="The shell to be used")
589 nargs
=argparse
.REMAINDER
,
590 help="Extra arguments to pass down to the test harness.",
592 def run_jstests(command_context
, shell
, params
):
595 command_context
.virtualenv_manager
.ensure()
596 python
= command_context
.virtualenv_manager
.python_path
598 js
= shell
or os
.path
.join(command_context
.bindir
, executable_name("js"))
601 os
.path
.join(command_context
.topsrcdir
, "js", "src", "tests", "jstests.py"),
605 return subprocess
.call(jstest_cmd
)
611 description
="Run SpiderMonkey jit-tests in the JS shell.",
612 ok_if_tests_disabled
=True,
614 @CommandArgument("--shell", help="The shell to be used")
619 help="Run with the SM(cgc) job's env vars",
623 nargs
=argparse
.REMAINDER
,
624 help="Extra arguments to pass down to the test harness.",
626 def run_jittests(command_context
, shell
, cgc
, params
):
629 command_context
.virtualenv_manager
.ensure()
630 python
= command_context
.virtualenv_manager
.python_path
632 js
= shell
or os
.path
.join(command_context
.bindir
, executable_name("js"))
635 os
.path
.join(command_context
.topsrcdir
, "js", "src", "jit-test", "jit_test.py"),
639 env
= os
.environ
.copy()
641 env
["JS_GC_ZEAL"] = "IncrementalMultipleSlices"
643 return subprocess
.call(jittest_cmd
, env
=env
)
646 @Command("jsapi-tests", category
="testing", description
="Run SpiderMonkey JSAPI tests.")
651 help="Test to run. Can be a prefix or omitted. If "
652 "omitted, the entire test suite is executed.",
654 def run_jsapitests(command_context
, test_name
=None):
658 os
.path
.join(command_context
.bindir
, executable_name("jsapi-tests"))
661 jsapi_tests_cmd
.append(test_name
)
663 test_env
= os
.environ
.copy()
664 test_env
["TOPSRCDIR"] = command_context
.topsrcdir
666 result
= subprocess
.call(jsapi_tests_cmd
, env
=test_env
)
668 print(f
"jsapi-tests failed, exit code {result}")
672 def run_check_js_msg(command_context
):
675 command_context
.virtualenv_manager
.ensure()
676 python
= command_context
.virtualenv_manager
.python_path
680 os
.path
.join(command_context
.topsrcdir
, "config", "check_js_msg_encoding.py"),
683 return subprocess
.call(check_cmd
)
686 def get_jsshell_parser():
687 from jsshell
.benchmark
import get_parser
695 parser
=get_jsshell_parser
,
696 description
="Run benchmarks in the SpiderMonkey JS shell.",
698 def run_jsshelltests(command_context
, **kwargs
):
699 from jsshell
import benchmark
701 return benchmark
.run(**kwargs
)
707 description
="Mercurial style .t tests for command line applications.",
713 help="Test paths to run. Each path can be a test file or directory. "
714 "If omitted, the entire suite will be run.",
718 nargs
=argparse
.REMAINDER
,
719 help="Extra arguments to pass down to the cram binary. See "
720 "'./mach python -m cram -- -h' for a list of available options.",
722 def cramtest(command_context
, cram_args
=None, test_paths
=None, test_objects
=None):
723 command_context
.activate_virtualenv()
725 from manifestparser
import TestManifest
727 if test_objects
is None:
728 from moztest
.resolve
import TestResolver
730 resolver
= command_context
._spawn
(TestResolver
)
732 # If we were given test paths, try to find tests matching them.
733 test_objects
= resolver
.resolve_tests(paths
=test_paths
, flavor
="cram")
735 # Otherwise just run everything in CRAMTEST_MANIFESTS
736 test_objects
= resolver
.resolve_tests(flavor
="cram")
739 message
= "No tests were collected, check spelling of the test paths."
740 command_context
.log(logging
.WARN
, "cramtest", {}, message
)
744 mp
.tests
.extend(test_objects
)
745 tests
= mp
.active_tests(disabled
=False, **mozinfo
.info
)
747 python
= command_context
.virtualenv_manager
.python_path
748 cmd
= [python
, "-m", "cram"] + cram_args
+ [t
["relpath"] for t
in tests
]
749 return subprocess
.call(cmd
, cwd
=command_context
.topsrcdir
)
752 from datetime
import date
, timedelta
756 "test-info", category
="testing", description
="Display historical test results."
758 def test_info(command_context
):
760 All functions implemented as subcommands.
767 description
="Display historical test result summary for named tests.",
769 @CommandArgument("test_names", nargs
=argparse
.REMAINDER
, help="Test(s) of interest.")
772 default
=(date
.today() - timedelta(7)).strftime("%Y-%m-%d"),
773 help="Start date (YYYY-MM-DD)",
776 "--end", default
=date
.today().strftime("%Y-%m-%d"), help="End date (YYYY-MM-DD)"
781 help="Retrieve and display general test information.",
786 help="Retrieve and display related Bugzilla bugs.",
788 @CommandArgument("--verbose", action
="store_true", help="Enable debug logging.")
800 ti
= testinfo
.TestInfoTests(verbose
)
813 description
="Generate a json report of test manifests and/or tests "
814 "categorized by Bugzilla component and optionally filtered "
815 "by path, component, and/or manifest annotations.",
820 help="Comma-separated list of Bugzilla components."
821 " eg. Testing::General,Core::WebVR",
825 help='Limit results to tests of the specified flavor (eg. "xpcshell").',
829 help='Limit results to tests of the specified subsuite (eg. "devtools").',
832 "paths", nargs
=argparse
.REMAINDER
, help="File system paths of interest."
837 help="Include test manifests in report.",
840 "--show-tests", action
="store_true", help="Include individual tests in report."
843 "--show-summary", action
="store_true", help="Include summary in report."
846 "--show-annotations",
848 help="Include list of manifest annotation conditions in report.",
852 help="Comma-separated list of value regular expressions to filter on; "
853 "displayed tests contain all specified values.",
857 help="Comma-separated list of test keys to filter on, "
858 'like "skip-if"; only these fields will be searched '
859 "for filter-values.",
862 "--no-component-report",
863 action
="store_false",
864 dest
="show_components",
866 help="Do not categorize by bugzilla component.",
868 @CommandArgument("--output-file", help="Path to report file.")
869 @CommandArgument("--verbose", action
="store_true", help="Enable debug logging.")
887 from mozbuild
import build_commands
890 command_context
.config_environment
891 except BuildEnvironmentNotFoundException
:
892 print("Looks like configure has not run yet, running it now...")
893 build_commands
.configure(command_context
)
895 ti
= testinfo
.TestInfoReport(verbose
)
915 description
='Compare two reports generated by "test-info reports".',
920 help="The first (earlier) report file; path to local file or url.",
923 "--after", help="The second (later) report file; path to local file or url."
927 help="Path to report file to be written. If not specified, report"
928 "will be written to standard output.",
930 @CommandArgument("--verbose", action
="store_true", help="Enable debug logging.")
931 def test_report_diff(command_context
, before
, after
, output_file
, verbose
):
934 ti
= testinfo
.TestInfoReport(verbose
)
935 ti
.report_diff(before
, after
, output_file
)
941 description
="Display failure line groupings and frequencies for "
942 "single tracking intermittent bugs.",
946 default
=(date
.today() - timedelta(30)).strftime("%Y-%m-%d"),
947 help="Start date (YYYY-MM-DD)",
950 "--end", default
=date
.today().strftime("%Y-%m-%d"), help="End date (YYYY-MM-DD)"
955 help="bugid for treeherder intermittent failures data query.",
957 def test_info_failures(
965 # bugid comes in as a string, we need an int:
971 print("Please enter a valid bugid (i.e. '1760132')")
975 url
= "https://bugzilla.mozilla.org/rest/bug?include_fields=summary&id=%s" % bugid
976 r
= requests
.get(url
, headers
={"User-agent": "mach-test-info/1.0"})
977 if r
.status_code
!= 200:
978 print("%s error retrieving url: %s" % (r
.status_code
, url
))
982 print("unable to get bugzilla information for %s" % bugid
)
985 summary
= data
["bugs"][0]["summary"]
986 parts
= summary
.split("|")
987 if not summary
.endswith("single tracking bug") or len(parts
) != 2:
988 print("this query only works with single tracking bugs")
991 testname
= parts
[0].strip().split(" ")[-1]
993 # now query treeherder to get details about annotations
994 url
= "https://treeherder.mozilla.org/api/failuresbybug/"
995 url
+= "?startday=%s&endday=%s&tree=trunk&bug=%s" % (start
, end
, bugid
)
996 r
= requests
.get(url
, headers
={"User-agent": "mach-test-info/1.0"})
1001 print("no failures were found for given bugid, please ensure bug is")
1002 print("accessible via: https://treeherder.mozilla.org/intermittent-failures")
1007 for failure
in data
:
1008 # config = platform/buildtype
1009 # testsuite (<suite>[-variant][-fis][-e10s|1proc][-<chunk>])
1010 # lines - group by patterns that contain test name
1011 config
= "%s/%s" % (failure
["platform"], failure
["build_type"])
1013 if "-e10s" in failure
["test_suite"]:
1014 parts
= failure
["test_suite"].split("-e10s")
1015 sv
= parts
[0].split("-")
1019 variant
= "-%s" % "-".join(sv
[1:])
1020 elif "-1proc" in failure
["test_suite"]:
1021 parts
= failure
["test_suite"].split("-1proc")
1022 sv
= parts
[0].split("-")
1026 variant
= "-%s" % "-".join(sv
[1:])
1028 print("unable to parse test suite: %s" % failure
["test_suite"])
1029 print("no `-e10s` or `-1proc` found")
1031 job
= "%s-%s%s" % (config
, suite
, variant
)
1032 if job
not in jobs
.keys():
1036 # lines - sum(hash) of all lines where we match testname
1038 for line
in failure
["lines"]:
1039 if len(line
.split(testname
)) <= 1:
1041 # strip off timestamp and mozharness status
1042 parts
= line
.split("TEST-UNEXPECTED")
1043 l
= "TEST-UNEXPECTED%s" % parts
[-1]
1045 # only keep 25 characters of the failure, often longer is random numbers
1046 parts
= l
.split(testname
)
1047 l
= "%s%s%s" % (parts
[0], testname
, parts
[1][:25])
1054 if hvalue
not in lines
.keys():
1055 lines
[hvalue
] = {"lines": failure
["lines"], "config": []}
1056 lines
[hvalue
]["config"].append(job
)
1058 for h
in lines
.keys():
1059 print("%s errors with:" % (len(lines
[h
]["config"])))
1060 for l
in lines
[h
]["lines"]:
1065 count
= len([x
for x
in lines
[h
]["config"] if x
== job
])
1067 print(" %s: %s" % (job
, count
))
1073 conditions
=[conditions
.is_non_artifact_build
],
1074 description
="Run rust unit tests (via cargo test).",
1076 def run_rusttests(command_context
, **kwargs
):
1077 return command_context
._mach
_context
.commands
.dispatch(
1079 command_context
._mach
_context
,
1080 what
=["pre-export", "export", "recurse_rusttests"],
1085 "fluent-migration-test",
1087 description
="Test Fluent migration recipes.",
1089 @CommandArgument("test_paths", nargs
="*", metavar
="N", help="Recipe paths to test.")
1090 def run_migration_tests(command_context
, test_paths
=None, **kwargs
):
1093 command_context
.activate_virtualenv()
1094 from test_fluent_migrations
import fmt
1098 for to_test
in test_paths
:
1100 context
= fmt
.inspect_migration(to_test
)
1101 for issue
in context
["issues"]:
1102 command_context
.log(
1104 "fluent-migration-test",
1106 "error": issue
["msg"],
1109 "ERROR in {file}: {error}",
1111 if context
["issues"]:
1113 with_context
.append(
1116 "references": context
["references"],
1119 except Exception as e
:
1120 command_context
.log(
1122 "fluent-migration-test",
1123 {"error": str(e
), "file": to_test
},
1124 "ERROR in {file}: {error}",
1127 obj_dir
= fmt
.prepare_object_dir(command_context
)
1128 for context
in with_context
:
1129 rv |
= fmt
.test_migration(command_context
, obj_dir
, **context
)