Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 1 | #!/usr/bin/env python |
| 2 | |
| 3 | """ |
| 4 | lit - LLVM Integrated Tester. |
| 5 | |
| 6 | See lit.pod for more information. |
| 7 | """ |
| 8 | |
| 9 | import math, os, platform, random, re, sys, time, threading, traceback |
| 10 | |
| 11 | import ProgressBar |
| 12 | import TestRunner |
| 13 | import Util |
| 14 | |
| 15 | from TestingConfig import TestingConfig |
| 16 | import LitConfig |
| 17 | import Test |
| 18 | |
Daniel Dunbar | edb8997 | 2009-10-25 03:30:55 +0000 | [diff] [blame] | 19 | # Configuration files to look for when discovering test suites. These can be |
| 20 | # overridden with --config-prefix. |
| 21 | # |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 22 | # FIXME: Rename to 'config.lit', 'site.lit', and 'local.lit' ? |
Daniel Dunbar | edb8997 | 2009-10-25 03:30:55 +0000 | [diff] [blame] | 23 | gConfigName = 'lit.cfg' |
| 24 | gSiteConfigName = 'lit.site.cfg' |
| 25 | |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 26 | kLocalConfigName = 'lit.local.cfg' |
| 27 | |
| 28 | class TestingProgressDisplay: |
| 29 | def __init__(self, opts, numTests, progressBar=None): |
| 30 | self.opts = opts |
| 31 | self.numTests = numTests |
| 32 | self.current = None |
| 33 | self.lock = threading.Lock() |
| 34 | self.progressBar = progressBar |
| 35 | self.completed = 0 |
| 36 | |
| 37 | def update(self, test): |
| 38 | # Avoid locking overhead in quiet mode |
| 39 | if self.opts.quiet and not test.result.isFailure: |
Daniel Dunbar | c60535a | 2009-09-09 02:41:42 +0000 | [diff] [blame] | 40 | self.completed += 1 |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 41 | return |
| 42 | |
| 43 | # Output lock. |
| 44 | self.lock.acquire() |
| 45 | try: |
| 46 | self.handleUpdate(test) |
| 47 | finally: |
| 48 | self.lock.release() |
| 49 | |
| 50 | def finish(self): |
| 51 | if self.progressBar: |
| 52 | self.progressBar.clear() |
| 53 | elif self.opts.quiet: |
| 54 | pass |
| 55 | elif self.opts.succinct: |
| 56 | sys.stdout.write('\n') |
| 57 | |
| 58 | def handleUpdate(self, test): |
| 59 | self.completed += 1 |
| 60 | if self.progressBar: |
| 61 | self.progressBar.update(float(self.completed)/self.numTests, |
| 62 | test.getFullName()) |
| 63 | |
| 64 | if self.opts.succinct and not test.result.isFailure: |
| 65 | return |
| 66 | |
| 67 | if self.progressBar: |
| 68 | self.progressBar.clear() |
| 69 | |
| 70 | print '%s: %s (%d of %d)' % (test.result.name, test.getFullName(), |
| 71 | self.completed, self.numTests) |
| 72 | |
| 73 | if test.result.isFailure and self.opts.showOutput: |
| 74 | print "%s TEST '%s' FAILED %s" % ('*'*20, test.getFullName(), |
| 75 | '*'*20) |
| 76 | print test.output |
| 77 | print "*" * 20 |
| 78 | |
| 79 | sys.stdout.flush() |
| 80 | |
| 81 | class TestProvider: |
| 82 | def __init__(self, tests, maxTime): |
| 83 | self.maxTime = maxTime |
| 84 | self.iter = iter(tests) |
| 85 | self.lock = threading.Lock() |
| 86 | self.startTime = time.time() |
| 87 | |
| 88 | def get(self): |
| 89 | # Check if we have run out of time. |
| 90 | if self.maxTime is not None: |
| 91 | if time.time() - self.startTime > self.maxTime: |
| 92 | return None |
| 93 | |
| 94 | # Otherwise take the next test. |
| 95 | self.lock.acquire() |
| 96 | try: |
| 97 | item = self.iter.next() |
| 98 | except StopIteration: |
| 99 | item = None |
| 100 | self.lock.release() |
| 101 | return item |
| 102 | |
| 103 | class Tester(threading.Thread): |
| 104 | def __init__(self, litConfig, provider, display): |
| 105 | threading.Thread.__init__(self) |
| 106 | self.litConfig = litConfig |
| 107 | self.provider = provider |
| 108 | self.display = display |
| 109 | |
| 110 | def run(self): |
| 111 | while 1: |
| 112 | item = self.provider.get() |
| 113 | if item is None: |
| 114 | break |
| 115 | self.runTest(item) |
| 116 | |
| 117 | def runTest(self, test): |
| 118 | result = None |
| 119 | startTime = time.time() |
| 120 | try: |
| 121 | result, output = test.config.test_format.execute(test, |
| 122 | self.litConfig) |
| 123 | except KeyboardInterrupt: |
| 124 | # This is a sad hack. Unfortunately subprocess goes |
| 125 | # bonkers with ctrl-c and we start forking merrily. |
| 126 | print '\nCtrl-C detected, goodbye.' |
| 127 | os.kill(0,9) |
| 128 | except: |
| 129 | if self.litConfig.debug: |
| 130 | raise |
| 131 | result = Test.UNRESOLVED |
| 132 | output = 'Exception during script execution:\n' |
| 133 | output += traceback.format_exc() |
| 134 | output += '\n' |
| 135 | elapsed = time.time() - startTime |
| 136 | |
| 137 | test.setResult(result, output, elapsed) |
| 138 | self.display.update(test) |
| 139 | |
| 140 | def dirContainsTestSuite(path): |
Daniel Dunbar | edb8997 | 2009-10-25 03:30:55 +0000 | [diff] [blame] | 141 | cfgpath = os.path.join(path, gSiteConfigName) |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 142 | if os.path.exists(cfgpath): |
| 143 | return cfgpath |
Daniel Dunbar | edb8997 | 2009-10-25 03:30:55 +0000 | [diff] [blame] | 144 | cfgpath = os.path.join(path, gConfigName) |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 145 | if os.path.exists(cfgpath): |
| 146 | return cfgpath |
| 147 | |
| 148 | def getTestSuite(item, litConfig, cache): |
| 149 | """getTestSuite(item, litConfig, cache) -> (suite, relative_path) |
| 150 | |
| 151 | Find the test suite containing @arg item. |
| 152 | |
| 153 | @retval (None, ...) - Indicates no test suite contains @arg item. |
| 154 | @retval (suite, relative_path) - The suite that @arg item is in, and its |
| 155 | relative path inside that suite. |
| 156 | """ |
| 157 | def search1(path): |
| 158 | # Check for a site config or a lit config. |
| 159 | cfgpath = dirContainsTestSuite(path) |
| 160 | |
| 161 | # If we didn't find a config file, keep looking. |
| 162 | if not cfgpath: |
| 163 | parent,base = os.path.split(path) |
Daniel Dunbar | 07d0bd4 | 2009-09-09 02:41:32 +0000 | [diff] [blame] | 164 | if parent == path: |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 165 | return (None, ()) |
| 166 | |
| 167 | ts, relative = search(parent) |
| 168 | return (ts, relative + (base,)) |
| 169 | |
| 170 | # We found a config file, load it. |
| 171 | if litConfig.debug: |
| 172 | litConfig.note('loading suite config %r' % cfgpath) |
| 173 | |
| 174 | cfg = TestingConfig.frompath(cfgpath, None, litConfig, mustExist = True) |
| 175 | source_root = os.path.realpath(cfg.test_source_root or path) |
| 176 | exec_root = os.path.realpath(cfg.test_exec_root or path) |
| 177 | return Test.TestSuite(cfg.name, source_root, exec_root, cfg), () |
| 178 | |
| 179 | def search(path): |
| 180 | # Check for an already instantiated test suite. |
| 181 | res = cache.get(path) |
| 182 | if res is None: |
| 183 | cache[path] = res = search1(path) |
| 184 | return res |
| 185 | |
| 186 | # Canonicalize the path. |
| 187 | item = os.path.realpath(item) |
| 188 | |
| 189 | # Skip files and virtual components. |
| 190 | components = [] |
| 191 | while not os.path.isdir(item): |
| 192 | parent,base = os.path.split(item) |
| 193 | if parent == item: |
| 194 | return (None, ()) |
| 195 | components.append(base) |
| 196 | item = parent |
| 197 | components.reverse() |
| 198 | |
| 199 | ts, relative = search(item) |
| 200 | return ts, tuple(relative + tuple(components)) |
| 201 | |
| 202 | def getLocalConfig(ts, path_in_suite, litConfig, cache): |
| 203 | def search1(path_in_suite): |
| 204 | # Get the parent config. |
| 205 | if not path_in_suite: |
| 206 | parent = ts.config |
| 207 | else: |
| 208 | parent = search(path_in_suite[:-1]) |
| 209 | |
| 210 | # Load the local configuration. |
| 211 | source_path = ts.getSourcePath(path_in_suite) |
| 212 | cfgpath = os.path.join(source_path, kLocalConfigName) |
| 213 | if litConfig.debug: |
| 214 | litConfig.note('loading local config %r' % cfgpath) |
| 215 | return TestingConfig.frompath(cfgpath, parent, litConfig, |
| 216 | mustExist = False, |
| 217 | config = parent.clone(cfgpath)) |
| 218 | |
| 219 | def search(path_in_suite): |
| 220 | key = (ts, path_in_suite) |
| 221 | res = cache.get(key) |
| 222 | if res is None: |
| 223 | cache[key] = res = search1(path_in_suite) |
| 224 | return res |
| 225 | |
| 226 | return search(path_in_suite) |
| 227 | |
| 228 | def getTests(path, litConfig, testSuiteCache, localConfigCache): |
| 229 | # Find the test suite for this input and its relative path. |
| 230 | ts,path_in_suite = getTestSuite(path, litConfig, testSuiteCache) |
| 231 | if ts is None: |
| 232 | litConfig.warning('unable to find test suite for %r' % path) |
| 233 | return () |
| 234 | |
| 235 | if litConfig.debug: |
| 236 | litConfig.note('resolved input %r to %r::%r' % (path, ts.name, |
| 237 | path_in_suite)) |
| 238 | |
Daniel Dunbar | 1bf0139 | 2009-11-08 09:07:26 +0000 | [diff] [blame] | 239 | return ts, getTestsInSuite(ts, path_in_suite, litConfig, |
| 240 | testSuiteCache, localConfigCache) |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 241 | |
| 242 | def getTestsInSuite(ts, path_in_suite, litConfig, |
| 243 | testSuiteCache, localConfigCache): |
| 244 | # Check that the source path exists (errors here are reported by the |
| 245 | # caller). |
| 246 | source_path = ts.getSourcePath(path_in_suite) |
| 247 | if not os.path.exists(source_path): |
| 248 | return |
| 249 | |
| 250 | # Check if the user named a test directly. |
| 251 | if not os.path.isdir(source_path): |
| 252 | lc = getLocalConfig(ts, path_in_suite[:-1], litConfig, localConfigCache) |
| 253 | yield Test.Test(ts, path_in_suite, lc) |
| 254 | return |
| 255 | |
| 256 | # Otherwise we have a directory to search for tests, start by getting the |
| 257 | # local configuration. |
| 258 | lc = getLocalConfig(ts, path_in_suite, litConfig, localConfigCache) |
Daniel Dunbar | 00a4244 | 2009-09-14 02:38:46 +0000 | [diff] [blame] | 259 | |
| 260 | # Search for tests. |
| 261 | for res in lc.test_format.getTestsInDirectory(ts, path_in_suite, |
| 262 | litConfig, lc): |
| 263 | yield res |
| 264 | |
| 265 | # Search subdirectories. |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 266 | for filename in os.listdir(source_path): |
| 267 | # FIXME: This doesn't belong here? |
Daniel Dunbar | 705428a | 2009-09-28 07:32:45 +0000 | [diff] [blame] | 268 | if filename in ('Output', '.svn') or filename in lc.excludes: |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 269 | continue |
| 270 | |
Daniel Dunbar | b2485c9 | 2009-09-15 20:09:17 +0000 | [diff] [blame] | 271 | # Ignore non-directories. |
| 272 | file_sourcepath = os.path.join(source_path, filename) |
| 273 | if not os.path.isdir(file_sourcepath): |
| 274 | continue |
Daniel Dunbar | edb8997 | 2009-10-25 03:30:55 +0000 | [diff] [blame] | 275 | |
Daniel Dunbar | b2485c9 | 2009-09-15 20:09:17 +0000 | [diff] [blame] | 276 | # Check for nested test suites, first in the execpath in case there is a |
| 277 | # site configuration and then in the source path. |
| 278 | file_execpath = ts.getExecPath(path_in_suite + (filename,)) |
| 279 | if dirContainsTestSuite(file_execpath): |
Daniel Dunbar | 1bf0139 | 2009-11-08 09:07:26 +0000 | [diff] [blame] | 280 | sub_ts, subiter = getTests(file_execpath, litConfig, |
| 281 | testSuiteCache, localConfigCache) |
Daniel Dunbar | b2485c9 | 2009-09-15 20:09:17 +0000 | [diff] [blame] | 282 | elif dirContainsTestSuite(file_sourcepath): |
Daniel Dunbar | 1bf0139 | 2009-11-08 09:07:26 +0000 | [diff] [blame] | 283 | sub_ts, subiter = getTests(file_sourcepath, litConfig, |
| 284 | testSuiteCache, localConfigCache) |
Daniel Dunbar | b2485c9 | 2009-09-15 20:09:17 +0000 | [diff] [blame] | 285 | else: |
| 286 | # Otherwise, continue loading from inside this test suite. |
| 287 | subiter = getTestsInSuite(ts, path_in_suite + (filename,), |
| 288 | litConfig, testSuiteCache, |
| 289 | localConfigCache) |
Daniel Dunbar | 1bf0139 | 2009-11-08 09:07:26 +0000 | [diff] [blame] | 290 | sub_ts = None |
Daniel Dunbar | edb8997 | 2009-10-25 03:30:55 +0000 | [diff] [blame] | 291 | |
Daniel Dunbar | 1bf0139 | 2009-11-08 09:07:26 +0000 | [diff] [blame] | 292 | N = 0 |
Daniel Dunbar | b2485c9 | 2009-09-15 20:09:17 +0000 | [diff] [blame] | 293 | for res in subiter: |
Daniel Dunbar | 1bf0139 | 2009-11-08 09:07:26 +0000 | [diff] [blame] | 294 | N += 1 |
Daniel Dunbar | b2485c9 | 2009-09-15 20:09:17 +0000 | [diff] [blame] | 295 | yield res |
Daniel Dunbar | 1bf0139 | 2009-11-08 09:07:26 +0000 | [diff] [blame] | 296 | if sub_ts and not N: |
| 297 | litConfig.warning('test suite %r contained no tests' % sub_ts.name) |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 298 | |
| 299 | def runTests(numThreads, litConfig, provider, display): |
| 300 | # If only using one testing thread, don't use threads at all; this lets us |
| 301 | # profile, among other things. |
| 302 | if numThreads == 1: |
| 303 | t = Tester(litConfig, provider, display) |
| 304 | t.run() |
| 305 | return |
| 306 | |
| 307 | # Otherwise spin up the testing threads and wait for them to finish. |
| 308 | testers = [Tester(litConfig, provider, display) |
| 309 | for i in range(numThreads)] |
| 310 | for t in testers: |
| 311 | t.start() |
| 312 | try: |
| 313 | for t in testers: |
| 314 | t.join() |
| 315 | except KeyboardInterrupt: |
| 316 | sys.exit(2) |
| 317 | |
| 318 | def main(): |
| 319 | global options |
| 320 | from optparse import OptionParser, OptionGroup |
| 321 | parser = OptionParser("usage: %prog [options] {file-or-path}") |
| 322 | |
| 323 | parser.add_option("-j", "--threads", dest="numThreads", metavar="N", |
| 324 | help="Number of testing threads", |
| 325 | type=int, action="store", default=None) |
Daniel Dunbar | edb8997 | 2009-10-25 03:30:55 +0000 | [diff] [blame] | 326 | parser.add_option("", "--config-prefix", dest="configPrefix", |
| 327 | metavar="NAME", help="Prefix for 'lit' config files", |
| 328 | action="store", default=None) |
Daniel Dunbar | f626167 | 2009-11-05 16:27:33 +0000 | [diff] [blame] | 329 | parser.add_option("", "--param", dest="userParameters", |
| 330 | metavar="NAME=VAL", |
| 331 | help="Add 'NAME' = 'VAL' to the user defined parameters", |
| 332 | type=str, action="append", default=[]) |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 333 | |
| 334 | group = OptionGroup(parser, "Output Format") |
| 335 | # FIXME: I find these names very confusing, although I like the |
| 336 | # functionality. |
| 337 | group.add_option("-q", "--quiet", dest="quiet", |
| 338 | help="Suppress no error output", |
| 339 | action="store_true", default=False) |
| 340 | group.add_option("-s", "--succinct", dest="succinct", |
| 341 | help="Reduce amount of output", |
| 342 | action="store_true", default=False) |
| 343 | group.add_option("-v", "--verbose", dest="showOutput", |
| 344 | help="Show all test output", |
| 345 | action="store_true", default=False) |
| 346 | group.add_option("", "--no-progress-bar", dest="useProgressBar", |
| 347 | help="Do not use curses based progress bar", |
| 348 | action="store_false", default=True) |
| 349 | parser.add_option_group(group) |
| 350 | |
| 351 | group = OptionGroup(parser, "Test Execution") |
| 352 | group.add_option("", "--path", dest="path", |
| 353 | help="Additional paths to add to testing environment", |
| 354 | action="append", type=str, default=[]) |
| 355 | group.add_option("", "--vg", dest="useValgrind", |
| 356 | help="Run tests under valgrind", |
| 357 | action="store_true", default=False) |
| 358 | group.add_option("", "--vg-arg", dest="valgrindArgs", metavar="ARG", |
| 359 | help="Specify an extra argument for valgrind", |
| 360 | type=str, action="append", default=[]) |
| 361 | group.add_option("", "--time-tests", dest="timeTests", |
| 362 | help="Track elapsed wall time for each test", |
| 363 | action="store_true", default=False) |
| 364 | group.add_option("", "--no-execute", dest="noExecute", |
| 365 | help="Don't execute any tests (assume PASS)", |
| 366 | action="store_true", default=False) |
| 367 | parser.add_option_group(group) |
| 368 | |
| 369 | group = OptionGroup(parser, "Test Selection") |
| 370 | group.add_option("", "--max-tests", dest="maxTests", metavar="N", |
| 371 | help="Maximum number of tests to run", |
| 372 | action="store", type=int, default=None) |
| 373 | group.add_option("", "--max-time", dest="maxTime", metavar="N", |
| 374 | help="Maximum time to spend testing (in seconds)", |
| 375 | action="store", type=float, default=None) |
| 376 | group.add_option("", "--shuffle", dest="shuffle", |
| 377 | help="Run tests in random order", |
| 378 | action="store_true", default=False) |
| 379 | parser.add_option_group(group) |
| 380 | |
| 381 | group = OptionGroup(parser, "Debug and Experimental Options") |
| 382 | group.add_option("", "--debug", dest="debug", |
| 383 | help="Enable debugging (for 'lit' development)", |
| 384 | action="store_true", default=False) |
| 385 | group.add_option("", "--show-suites", dest="showSuites", |
| 386 | help="Show discovered test suites", |
| 387 | action="store_true", default=False) |
| 388 | group.add_option("", "--no-tcl-as-sh", dest="useTclAsSh", |
| 389 | help="Don't run Tcl scripts using 'sh'", |
| 390 | action="store_false", default=True) |
| 391 | parser.add_option_group(group) |
| 392 | |
| 393 | (opts, args) = parser.parse_args() |
| 394 | |
| 395 | if not args: |
| 396 | parser.error('No inputs specified') |
| 397 | |
Daniel Dunbar | edb8997 | 2009-10-25 03:30:55 +0000 | [diff] [blame] | 398 | if opts.configPrefix is not None: |
| 399 | global gConfigName, gSiteConfigName |
| 400 | gConfigName = '%s.cfg' % opts.configPrefix |
| 401 | gSiteConfigName = '%s.site.cfg' % opts.configPrefix |
| 402 | |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 403 | if opts.numThreads is None: |
| 404 | opts.numThreads = Util.detectCPUs() |
| 405 | |
| 406 | inputs = args |
| 407 | |
Daniel Dunbar | f626167 | 2009-11-05 16:27:33 +0000 | [diff] [blame] | 408 | # Create the user defined parameters. |
| 409 | userParams = {} |
| 410 | for entry in opts.userParameters: |
| 411 | if '=' not in entry: |
| 412 | name,val = entry,'' |
| 413 | else: |
| 414 | name,val = entry.split('=', 1) |
| 415 | userParams[name] = val |
| 416 | |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 417 | # Create the global config object. |
| 418 | litConfig = LitConfig.LitConfig(progname = os.path.basename(sys.argv[0]), |
| 419 | path = opts.path, |
| 420 | quiet = opts.quiet, |
| 421 | useValgrind = opts.useValgrind, |
| 422 | valgrindArgs = opts.valgrindArgs, |
| 423 | useTclAsSh = opts.useTclAsSh, |
| 424 | noExecute = opts.noExecute, |
| 425 | debug = opts.debug, |
Daniel Dunbar | f626167 | 2009-11-05 16:27:33 +0000 | [diff] [blame] | 426 | isWindows = (platform.system()=='Windows'), |
| 427 | params = userParams) |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 428 | |
| 429 | # Load the tests from the inputs. |
| 430 | tests = [] |
| 431 | testSuiteCache = {} |
| 432 | localConfigCache = {} |
| 433 | for input in inputs: |
| 434 | prev = len(tests) |
| 435 | tests.extend(getTests(input, litConfig, |
Daniel Dunbar | 1bf0139 | 2009-11-08 09:07:26 +0000 | [diff] [blame] | 436 | testSuiteCache, localConfigCache)[1]) |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 437 | if prev == len(tests): |
| 438 | litConfig.warning('input %r contained no tests' % input) |
| 439 | |
| 440 | # If there were any errors during test discovery, exit now. |
| 441 | if litConfig.numErrors: |
| 442 | print >>sys.stderr, '%d errors, exiting.' % litConfig.numErrors |
| 443 | sys.exit(2) |
| 444 | |
| 445 | if opts.showSuites: |
| 446 | suitesAndTests = dict([(ts,[]) |
Daniel Dunbar | edb8997 | 2009-10-25 03:30:55 +0000 | [diff] [blame] | 447 | for ts,_ in testSuiteCache.values() |
| 448 | if ts]) |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 449 | for t in tests: |
| 450 | suitesAndTests[t.suite].append(t) |
| 451 | |
| 452 | print '-- Test Suites --' |
| 453 | suitesAndTests = suitesAndTests.items() |
| 454 | suitesAndTests.sort(key = lambda (ts,_): ts.name) |
Daniel Dunbar | 972cc05 | 2009-11-10 02:40:21 +0000 | [diff] [blame] | 455 | for ts,ts_tests in suitesAndTests: |
| 456 | print ' %s - %d tests' %(ts.name, len(ts_tests)) |
Daniel Dunbar | be7ada7 | 2009-09-08 05:31:18 +0000 | [diff] [blame] | 457 | print ' Source Root: %s' % ts.source_root |
| 458 | print ' Exec Root : %s' % ts.exec_root |
| 459 | |
| 460 | # Select and order the tests. |
| 461 | numTotalTests = len(tests) |
| 462 | if opts.shuffle: |
| 463 | random.shuffle(tests) |
| 464 | else: |
| 465 | tests.sort(key = lambda t: t.getFullName()) |
| 466 | if opts.maxTests is not None: |
| 467 | tests = tests[:opts.maxTests] |
| 468 | |
| 469 | extra = '' |
| 470 | if len(tests) != numTotalTests: |
| 471 | extra = ' of %d' % numTotalTests |
| 472 | header = '-- Testing: %d%s tests, %d threads --'%(len(tests),extra, |
| 473 | opts.numThreads) |
| 474 | |
| 475 | progressBar = None |
| 476 | if not opts.quiet: |
| 477 | if opts.succinct and opts.useProgressBar: |
| 478 | try: |
| 479 | tc = ProgressBar.TerminalController() |
| 480 | progressBar = ProgressBar.ProgressBar(tc, header) |
| 481 | except ValueError: |
| 482 | print header |
| 483 | progressBar = ProgressBar.SimpleProgressBar('Testing: ') |
| 484 | else: |
| 485 | print header |
| 486 | |
| 487 | # Don't create more threads than tests. |
| 488 | opts.numThreads = min(len(tests), opts.numThreads) |
| 489 | |
| 490 | startTime = time.time() |
| 491 | display = TestingProgressDisplay(opts, len(tests), progressBar) |
| 492 | provider = TestProvider(tests, opts.maxTime) |
| 493 | runTests(opts.numThreads, litConfig, provider, display) |
| 494 | display.finish() |
| 495 | |
| 496 | if not opts.quiet: |
| 497 | print 'Testing Time: %.2fs'%(time.time() - startTime) |
| 498 | |
| 499 | # Update results for any tests which weren't run. |
| 500 | for t in tests: |
| 501 | if t.result is None: |
| 502 | t.setResult(Test.UNRESOLVED, '', 0.0) |
| 503 | |
| 504 | # List test results organized by kind. |
| 505 | hasFailures = False |
| 506 | byCode = {} |
| 507 | for t in tests: |
| 508 | if t.result not in byCode: |
| 509 | byCode[t.result] = [] |
| 510 | byCode[t.result].append(t) |
| 511 | if t.result.isFailure: |
| 512 | hasFailures = True |
| 513 | |
| 514 | # FIXME: Show unresolved and (optionally) unsupported tests. |
| 515 | for title,code in (('Unexpected Passing Tests', Test.XPASS), |
| 516 | ('Failing Tests', Test.FAIL)): |
| 517 | elts = byCode.get(code) |
| 518 | if not elts: |
| 519 | continue |
| 520 | print '*'*20 |
| 521 | print '%s (%d):' % (title, len(elts)) |
| 522 | for t in elts: |
| 523 | print ' %s' % t.getFullName() |
| 524 | print |
| 525 | |
| 526 | if opts.timeTests: |
| 527 | byTime = list(tests) |
| 528 | byTime.sort(key = lambda t: t.elapsed) |
| 529 | if byTime: |
| 530 | Util.printHistogram([(t.getFullName(), t.elapsed) for t in byTime], |
| 531 | title='Tests') |
| 532 | |
| 533 | for name,code in (('Expected Passes ', Test.PASS), |
| 534 | ('Expected Failures ', Test.XFAIL), |
| 535 | ('Unsupported Tests ', Test.UNSUPPORTED), |
| 536 | ('Unresolved Tests ', Test.UNRESOLVED), |
| 537 | ('Unexpected Passes ', Test.XPASS), |
| 538 | ('Unexpected Failures', Test.FAIL),): |
| 539 | if opts.quiet and not code.isFailure: |
| 540 | continue |
| 541 | N = len(byCode.get(code,[])) |
| 542 | if N: |
| 543 | print ' %s: %d' % (name,N) |
| 544 | |
| 545 | # If we encountered any additional errors, exit abnormally. |
| 546 | if litConfig.numErrors: |
| 547 | print >>sys.stderr, '\n%d error(s), exiting.' % litConfig.numErrors |
| 548 | sys.exit(2) |
| 549 | |
| 550 | # Warn about warnings. |
| 551 | if litConfig.numWarnings: |
| 552 | print >>sys.stderr, '\n%d warning(s) in tests.' % litConfig.numWarnings |
| 553 | |
| 554 | if hasFailures: |
| 555 | sys.exit(1) |
| 556 | sys.exit(0) |
| 557 | |
| 558 | if __name__=='__main__': |
| 559 | # Bump the GIL check interval, its more important to get any one thread to a |
| 560 | # blocking operation (hopefully exec) than to try and unblock other threads. |
| 561 | import sys |
| 562 | sys.setcheckinterval(1000) |
| 563 | main() |