3 # This Source Code Form is subject to the terms of the Mozilla Public
4 # License, v. 2.0. If a copy of the MPL was not distributed with this
5 # file, You can obtain one at http://mozilla.org/MPL/2.0/.
7 from __future__
import with_statement
8 import sys
, os
, tempfile
, shutil
9 from optparse
import OptionParser
10 import mozprocess
, mozinfo
, mozlog
, mozcrash
, mozfile
11 from contextlib
import contextmanager
13 log
= mozlog
.getLogger('cppunittests')
15 class CPPUnitTests(object):
16 # Time (seconds) to wait for test process to complete
17 TEST_PROC_TIMEOUT
= 1200
18 # Time (seconds) in which process will be killed if it produces no output.
19 TEST_PROC_NO_OUTPUT_TIMEOUT
= 300
21 def run_one_test(self
, prog
, env
, symbols_path
=None):
23 Run a single C++ unit test program.
26 * prog: The path to the test program to run.
27 * env: The environment to use for running the program.
28 * symbols_path: A path to a directory containing Breakpad-formatted
29 symbol files for producing stack traces on crash.
31 Return True if the program exits with a zero status, False otherwise.
33 basename
= os
.path
.basename(prog
)
34 log
.info("Running test %s", basename
)
35 with mozfile
.TemporaryDirectory() as tempdir
:
36 proc
= mozprocess
.ProcessHandler([prog
],
39 #TODO: After bug 811320 is fixed, don't let .run() kill the process,
40 # instead use a timeout in .wait() and then kill to get a stack.
41 proc
.run(timeout
=CPPUnitTests
.TEST_PROC_TIMEOUT
,
42 outputTimeout
=CPPUnitTests
.TEST_PROC_NO_OUTPUT_TIMEOUT
)
45 log
.testFail("%s | timed out after %d seconds",
46 basename
, CPPUnitTests
.TEST_PROC_TIMEOUT
)
48 if mozcrash
.check_for_crashes(tempdir
, symbols_path
,
50 log
.testFail("%s | test crashed", basename
)
52 result
= proc
.proc
.returncode
== 0
54 log
.testFail("%s | test failed with return code %d",
55 basename
, proc
.proc
.returncode
)
58 def build_core_environment(self
, env
= {}):
60 Add environment variables likely to be used across all platforms, including remote systems.
62 env
["MOZILLA_FIVE_HOME"] = self
.xre_path
63 env
["MOZ_XRE_DIR"] = self
.xre_path
64 #TODO: switch this to just abort once all C++ unit tests have
65 # been fixed to enable crash reporting
66 env
["XPCOM_DEBUG_BREAK"] = "stack-and-abort"
67 env
["MOZ_CRASHREPORTER_NO_REPORT"] = "1"
68 env
["MOZ_CRASHREPORTER"] = "1"
71 def build_environment(self
):
73 Create and return a dictionary of all the appropriate env variables and values.
74 On a remote system, we overload this to set different values and are missing things like os.environ and PATH.
76 if not os
.path
.isdir(self
.xre_path
):
77 raise Exception("xre_path does not exist: %s", self
.xre_path
)
78 env
= dict(os
.environ
)
79 env
= self
.build_core_environment(env
)
81 if mozinfo
.os
== "linux":
82 pathvar
= "LD_LIBRARY_PATH"
83 elif mozinfo
.os
== "mac":
84 pathvar
= "DYLD_LIBRARY_PATH"
85 elif mozinfo
.os
== "win":
89 env
[pathvar
] = "%s%s%s" % (self
.xre_path
, os
.pathsep
, env
[pathvar
])
91 env
[pathvar
] = self
.xre_path
93 # Use llvm-symbolizer for ASan if available/required
94 llvmsym
= os
.path
.join(self
.xre_path
, "llvm-symbolizer")
95 if os
.path
.isfile(llvmsym
):
96 env
["ASAN_SYMBOLIZER_PATH"] = llvmsym
100 def run_tests(self
, programs
, xre_path
, symbols_path
=None):
102 Run a set of C++ unit test programs.
105 * programs: An iterable containing paths to test programs.
106 * xre_path: A path to a directory containing a XUL Runtime Environment.
107 * symbols_path: A path to a directory containing Breakpad-formatted
108 symbol files for producing stack traces on crash.
110 Returns True if all test programs exited with a zero status, False
113 self
.xre_path
= xre_path
114 env
= self
.build_environment()
117 for prog
in programs
:
118 single_result
= self
.run_one_test(prog
, env
, symbols_path
)
124 log
.info("Result summary:")
125 log
.info("Passed: %d" % pass_count
)
126 log
.info("Failed: %d" % fail_count
)
127 return fail_count
== 0
129 class CPPUnittestOptions(OptionParser
):
131 OptionParser
.__init
__(self
)
132 self
.add_option("--xre-path",
133 action
= "store", type = "string", dest
= "xre_path",
135 help = "absolute path to directory containing XRE (probably xulrunner)")
136 self
.add_option("--symbols-path",
137 action
= "store", type = "string", dest
= "symbols_path",
139 help = "absolute path to directory containing breakpad symbols, or the URL of a zip file containing symbols")
141 def extract_unittests_from_args(args
):
142 """Extract unittests from args, expanding directories as needed"""
147 #filter out .py files packaged with the unit tests
148 progs
.extend([os
.path
.abspath(os
.path
.join(p
, x
)) for x
in os
.listdir(p
) if not x
.endswith('.py')])
150 progs
.append(os
.path
.abspath(p
))
155 parser
= CPPUnittestOptions()
156 options
, args
= parser
.parse_args()
158 print >>sys
.stderr
, """Usage: %s <test binary> [<test binary>...]""" % sys
.argv
[0]
160 if not options
.xre_path
:
161 print >>sys
.stderr
, """Error: --xre-path is required"""
163 progs
= extract_unittests_from_args(args
)
164 options
.xre_path
= os
.path
.abspath(options
.xre_path
)
165 tester
= CPPUnitTests()
167 result
= tester
.run_tests(progs
, options
.xre_path
, options
.symbols_path
)
171 sys
.exit(0 if result
else 1)
173 if __name__
== '__main__':