blob: 970fc195d0c720dcce48415b49e749947e8877cf [file] [log] [blame]
Johnny Chen9707bb62010-06-25 21:14:08 +00001#!/usr/bin/env python
2
3"""
4A simple testing framework for lldb using python's unit testing framework.
5
6Tests for lldb are written as python scripts which take advantage of the script
7bridging provided by LLDB.framework to interact with lldb core.
8
9A specific naming pattern is followed by the .py script to be recognized as
10a module which implements a test scenario, namely, Test*.py.
11
12To specify the directories where "Test*.py" python test scripts are located,
13you need to pass in a list of directory names. By default, the current
14working directory is searched if nothing is specified on the command line.
Johnny Chen872aee12010-09-16 15:44:23 +000015
16Type:
17
18./dotest.py -h
19
20for available options.
Johnny Chen9707bb62010-06-25 21:14:08 +000021"""
22
Johnny Chen91960d32010-09-08 20:56:16 +000023import os, signal, sys, time
Johnny Chen75e28f92010-08-05 23:42:46 +000024import unittest2
Johnny Chen9707bb62010-06-25 21:14:08 +000025
Johnny Chen877c7e42010-08-07 00:16:07 +000026class _WritelnDecorator(object):
27 """Used to decorate file-like objects with a handy 'writeln' method"""
28 def __init__(self,stream):
29 self.stream = stream
30
31 def __getattr__(self, attr):
32 if attr in ('stream', '__getstate__'):
33 raise AttributeError(attr)
34 return getattr(self.stream,attr)
35
36 def writeln(self, arg=None):
37 if arg:
38 self.write(arg)
39 self.write('\n') # text-mode streams translate to \r\n if needed
40
Johnny Chen9707bb62010-06-25 21:14:08 +000041#
42# Global variables:
43#
44
45# The test suite.
Johnny Chen75e28f92010-08-05 23:42:46 +000046suite = unittest2.TestSuite()
Johnny Chen9707bb62010-06-25 21:14:08 +000047
Johnny Chen4f93bf12010-12-10 00:51:23 +000048# By default, both command line and Python API tests are performed.
49# See @python_api_test decorator in lldbtest.py.
50dont_do_python_api_test = False
51
52# By default, both command line and Python API tests are performed.
53# This does not work yet as the @lldb_command_test decorator is needed.
54just_do_python_api_test = False
55
Johnny Chen82e6b1e2010-12-01 22:47:54 +000056# The blacklist is optional (-b blacklistFile) and allows a central place to skip
57# testclass's and/or testclass.testmethod's.
58blacklist = None
59
60# The dictionary as a result of sourcing blacklistFile.
61blacklistConfig = {}
62
Johnny Chen9fdb0a92010-09-18 00:16:47 +000063# The config file is optional.
64configFile = None
65
Johnny Chend2acdb32010-11-16 22:42:58 +000066# Test suite repeat count. Can be overwritten with '-# count'.
67count = 1
68
Johnny Chenb40056b2010-09-21 00:09:27 +000069# The dictionary as a result of sourcing configFile.
70config = {}
71
Johnny Chen91960d32010-09-08 20:56:16 +000072# Delay startup in order for the debugger to attach.
73delay = False
74
Johnny Chen7d6d8442010-12-03 19:59:35 +000075# By default, failfast is False. Use '-F' to overwrite it.
76failfast = False
77
Johnny Chena224cd12010-11-08 01:21:03 +000078# The filter (testclass.testmethod) used to admit tests into our test suite.
Johnny Chenb62436b2010-10-06 20:40:56 +000079filterspec = None
80
Johnny Chena224cd12010-11-08 01:21:03 +000081# If '-g' is specified, the filterspec is not exclusive. If a test module does
82# not contain testclass.testmethod which matches the filterspec, the whole test
83# module is still admitted into our test suite. fs4all flag defaults to True.
84fs4all = True
Johnny Chenb62436b2010-10-06 20:40:56 +000085
Johnny Chenaf149a02010-09-16 17:11:30 +000086# Ignore the build search path relative to this script to locate the lldb.py module.
87ignore = False
88
Johnny Chen548aefd2010-10-11 22:25:46 +000089# By default, we skip long running test case. Use '-l' option to override.
Johnny Chen41998192010-10-01 22:59:49 +000090skipLongRunningTest = True
91
Johnny Chen7c52ff12010-09-27 23:29:54 +000092# The regular expression pattern to match against eligible filenames as our test cases.
93regexp = None
94
Johnny Chen548aefd2010-10-11 22:25:46 +000095# By default, tests are executed in place and cleanups are performed afterwards.
96# Use '-r dir' option to relocate the tests and their intermediate files to a
97# different directory and to forgo any cleanups. The directory specified must
98# not exist yet.
99rdir = None
100
Johnny Chen125fc2b2010-10-21 16:55:35 +0000101# By default, recorded session info for errored/failed test are dumped into its
102# own file under a session directory named after the timestamp of the test suite
103# run. Use '-s session-dir-name' to specify a specific dir name.
104sdir_name = None
105
Johnny Chen63c2cba2010-10-29 22:20:36 +0000106# Set this flag if there is any session info dumped during the test run.
107sdir_has_content = False
108
Johnny Chen9707bb62010-06-25 21:14:08 +0000109# Default verbosity is 0.
110verbose = 0
111
112# By default, search from the current working directory.
113testdirs = [ os.getcwd() ]
114
Johnny Chen877c7e42010-08-07 00:16:07 +0000115# Separator string.
116separator = '-' * 70
117
Johnny Chen9707bb62010-06-25 21:14:08 +0000118
119def usage():
120 print """
121Usage: dotest.py [option] [args]
122where options:
123-h : print this help message and exit (also --help)
Johnny Chen4f93bf12010-12-10 00:51:23 +0000124-a : don't do lldb Python API tests
125 use @python_api_test to decorate a test case as lldb Python API test
Johnny Chen82e6b1e2010-12-01 22:47:54 +0000126-b : read a blacklist file specified after this option
Johnny Chen9fdb0a92010-09-18 00:16:47 +0000127-c : read a config file specified after this option
Johnny Chenb40056b2010-09-21 00:09:27 +0000128 (see also lldb-trunk/example/test/usage-config)
Johnny Chen91960d32010-09-08 20:56:16 +0000129-d : delay startup for 10 seconds (in order for the debugger to attach)
Johnny Chen7d6d8442010-12-03 19:59:35 +0000130-F : failfast, stop the test suite on the first error/failure
Johnny Chen46be75d2010-10-11 16:19:48 +0000131-f : specify a filter, which consists of the test class name, a dot, followed by
Johnny Chen1a6e92a2010-11-08 20:17:04 +0000132 the test method, to only admit such test into the test suite
Johnny Chenb62436b2010-10-06 20:40:56 +0000133 e.g., -f 'ClassTypesTestCase.test_with_dwarf_and_python_api'
Johnny Chena224cd12010-11-08 01:21:03 +0000134-g : if specified, the filterspec by -f is not exclusive, i.e., if a test module
135 does not match the filterspec (testclass.testmethod), the whole module is
136 still admitted to the test suite
Johnny Chenaf149a02010-09-16 17:11:30 +0000137-i : ignore (don't bailout) if 'lldb.py' module cannot be located in the build
138 tree relative to this script; use PYTHONPATH to locate the module
Johnny Chen41998192010-10-01 22:59:49 +0000139-l : don't skip long running test
Johnny Chen7c52ff12010-09-27 23:29:54 +0000140-p : specify a regexp filename pattern for inclusion in the test suite
Johnny Chen548aefd2010-10-11 22:25:46 +0000141-r : specify a dir to relocate the tests and their intermediate files to;
142 the directory must not exist before running this test driver;
143 no cleanup of intermediate test files is performed in this case
Johnny Chen125fc2b2010-10-21 16:55:35 +0000144-s : specify the name of the dir created to store the session files of tests
145 with errored or failed status; if not specified, the test driver uses the
146 timestamp as the session dir name
Johnny Chend0c24b22010-08-23 17:10:44 +0000147-t : trace lldb command execution and result
Johnny Chen9707bb62010-06-25 21:14:08 +0000148-v : do verbose mode of unittest framework
Johnny Chene47649c2010-10-07 02:04:14 +0000149-w : insert some wait time (currently 0.5 sec) between consecutive test cases
Johnny Chend2acdb32010-11-16 22:42:58 +0000150-# : Repeat the test suite for a specified number of times
Johnny Chen9707bb62010-06-25 21:14:08 +0000151
152and:
Johnny Chen9656ab22010-10-22 19:00:18 +0000153args : specify a list of directory names to search for test modules named after
154 Test*.py (test discovery)
Johnny Chen9707bb62010-06-25 21:14:08 +0000155 if empty, search from the curret working directory, instead
Johnny Chen58f93922010-06-29 23:10:39 +0000156
Johnny Chen9656ab22010-10-22 19:00:18 +0000157Examples:
158
Johnny Chena224cd12010-11-08 01:21:03 +0000159This is an example of using the -f option to pinpoint to a specfic test class
160and test method to be run:
Johnny Chen6ad7e5e2010-10-21 00:47:52 +0000161
Johnny Chena224cd12010-11-08 01:21:03 +0000162$ ./dotest.py -f ClassTypesTestCase.test_with_dsym_and_run_command
Johnny Chen6ad7e5e2010-10-21 00:47:52 +0000163----------------------------------------------------------------------
164Collected 1 test
165
166test_with_dsym_and_run_command (TestClassTypes.ClassTypesTestCase)
167Test 'frame variable this' when stopped on a class constructor. ... ok
168
169----------------------------------------------------------------------
170Ran 1 test in 1.396s
171
172OK
Johnny Chen9656ab22010-10-22 19:00:18 +0000173
174And this is an example of using the -p option to run a single file (the filename
175matches the pattern 'ObjC' and it happens to be 'TestObjCMethods.py'):
176
177$ ./dotest.py -v -p ObjC
178----------------------------------------------------------------------
179Collected 4 tests
180
181test_break_with_dsym (TestObjCMethods.FoundationTestCase)
182Test setting objc breakpoints using 'regexp-break' and 'breakpoint set'. ... ok
183test_break_with_dwarf (TestObjCMethods.FoundationTestCase)
184Test setting objc breakpoints using 'regexp-break' and 'breakpoint set'. ... ok
185test_data_type_and_expr_with_dsym (TestObjCMethods.FoundationTestCase)
186Lookup objective-c data types and evaluate expressions. ... ok
187test_data_type_and_expr_with_dwarf (TestObjCMethods.FoundationTestCase)
188Lookup objective-c data types and evaluate expressions. ... ok
189
190----------------------------------------------------------------------
191Ran 4 tests in 16.661s
192
193OK
Johnny Chen6ad7e5e2010-10-21 00:47:52 +0000194
Johnny Chen58f93922010-06-29 23:10:39 +0000195Running of this script also sets up the LLDB_TEST environment variable so that
Johnny Chenaf149a02010-09-16 17:11:30 +0000196individual test cases can locate their supporting files correctly. The script
197tries to set up Python's search paths for modules by looking at the build tree
Johnny Chena85859f2010-11-11 22:14:56 +0000198relative to this script. See also the '-i' option in the following example.
199
200Finally, this is an example of using the lldb.py module distributed/installed by
201Xcode4 to run against the tests under the 'forward' directory, and with the '-w'
202option to add some delay between two tests. It uses ARCH=x86_64 to specify that
203as the architecture and CC=clang to specify the compiler used for the test run:
204
205$ PYTHONPATH=/Xcode4/Library/PrivateFrameworks/LLDB.framework/Versions/A/Resources/Python ARCH=x86_64 CC=clang ./dotest.py -v -w -i forward
206
207Session logs for test failures/errors will go into directory '2010-11-11-13_56_16'
208----------------------------------------------------------------------
209Collected 2 tests
210
211test_with_dsym_and_run_command (TestForwardDeclaration.ForwardDeclarationTestCase)
212Display *bar_ptr when stopped on a function with forward declaration of struct bar. ... ok
213test_with_dwarf_and_run_command (TestForwardDeclaration.ForwardDeclarationTestCase)
214Display *bar_ptr when stopped on a function with forward declaration of struct bar. ... ok
215
216----------------------------------------------------------------------
217Ran 2 tests in 5.659s
218
219OK
220
221The 'Session ...' verbiage is recently introduced (see also the '-s' option) to
222notify the directory containing the session logs for test failures or errors.
223In case there is any test failure/error, a similar message is appended at the
224end of the stderr output for your convenience.
Johnny Chenfde69bc2010-09-14 22:01:40 +0000225
226Environment variables related to loggings:
227
228o LLDB_LOG: if defined, specifies the log file pathname for the 'lldb' subsystem
229 with a default option of 'event process' if LLDB_LOG_OPTION is not defined.
230
231o GDB_REMOTE_LOG: if defined, specifies the log file pathname for the
232 'process.gdb-remote' subsystem with a default option of 'packets' if
233 GDB_REMOTE_LOG_OPTION is not defined.
Johnny Chen9707bb62010-06-25 21:14:08 +0000234"""
Johnny Chen9fdb0a92010-09-18 00:16:47 +0000235 sys.exit(0)
Johnny Chen9707bb62010-06-25 21:14:08 +0000236
237
Johnny Chenaf149a02010-09-16 17:11:30 +0000238def parseOptionsAndInitTestdirs():
239 """Initialize the list of directories containing our unittest scripts.
240
241 '-h/--help as the first option prints out usage info and exit the program.
242 """
243
Johnny Chen4f93bf12010-12-10 00:51:23 +0000244 global dont_do_python_api_test
245 global just_do_python_api_test
Johnny Chen82e6b1e2010-12-01 22:47:54 +0000246 global blacklist
247 global blacklistConfig
Johnny Chen9fdb0a92010-09-18 00:16:47 +0000248 global configFile
Johnny Chend2acdb32010-11-16 22:42:58 +0000249 global count
Johnny Chenaf149a02010-09-16 17:11:30 +0000250 global delay
Johnny Chen7d6d8442010-12-03 19:59:35 +0000251 global failfast
Johnny Chenb62436b2010-10-06 20:40:56 +0000252 global filterspec
253 global fs4all
Johnny Chen7c52ff12010-09-27 23:29:54 +0000254 global ignore
Johnny Chen41998192010-10-01 22:59:49 +0000255 global skipLongRunningTest
Johnny Chen7c52ff12010-09-27 23:29:54 +0000256 global regexp
Johnny Chen548aefd2010-10-11 22:25:46 +0000257 global rdir
Johnny Chen125fc2b2010-10-21 16:55:35 +0000258 global sdir_name
Johnny Chenaf149a02010-09-16 17:11:30 +0000259 global verbose
260 global testdirs
261
262 if len(sys.argv) == 1:
263 return
264
265 # Process possible trace and/or verbose flag, among other things.
266 index = 1
Johnny Chence2212c2010-10-07 15:41:55 +0000267 while index < len(sys.argv):
Johnny Chen4f93bf12010-12-10 00:51:23 +0000268 if sys.argv[index].startswith('-') or sys.argv[index].startswith('+'):
269 # We should continue processing...
270 pass
271 else:
Johnny Chenaf149a02010-09-16 17:11:30 +0000272 # End of option processing.
273 break
274
275 if sys.argv[index].find('-h') != -1:
276 usage()
Johnny Chen4f93bf12010-12-10 00:51:23 +0000277 elif sys.argv[index].startswith('-a'):
278 dont_do_python_api_test = True
279 index += 1
280 elif sys.argv[index].startswith('+a'):
281 just_do_python_api_test = True
282 index += 1
Johnny Chen82e6b1e2010-12-01 22:47:54 +0000283 elif sys.argv[index].startswith('-b'):
284 # Increment by 1 to fetch the blacklist file name option argument.
285 index += 1
286 if index >= len(sys.argv) or sys.argv[index].startswith('-'):
287 usage()
288 blacklistFile = sys.argv[index]
289 if not os.path.isfile(blacklistFile):
290 print "Blacklist file:", blacklistFile, "does not exist!"
291 usage()
292 index += 1
293 # Now read the blacklist contents and assign it to blacklist.
294 execfile(blacklistFile, globals(), blacklistConfig)
295 blacklist = blacklistConfig.get('blacklist')
Johnny Chen9fdb0a92010-09-18 00:16:47 +0000296 elif sys.argv[index].startswith('-c'):
297 # Increment by 1 to fetch the config file name option argument.
298 index += 1
299 if index >= len(sys.argv) or sys.argv[index].startswith('-'):
300 usage()
301 configFile = sys.argv[index]
302 if not os.path.isfile(configFile):
303 print "Config file:", configFile, "does not exist!"
304 usage()
305 index += 1
Johnny Chenaf149a02010-09-16 17:11:30 +0000306 elif sys.argv[index].startswith('-d'):
307 delay = True
308 index += 1
Johnny Chen7d6d8442010-12-03 19:59:35 +0000309 elif sys.argv[index].startswith('-F'):
310 failfast = True
311 index += 1
Johnny Chenb62436b2010-10-06 20:40:56 +0000312 elif sys.argv[index].startswith('-f'):
313 # Increment by 1 to fetch the filter spec.
314 index += 1
315 if index >= len(sys.argv) or sys.argv[index].startswith('-'):
316 usage()
317 filterspec = sys.argv[index]
318 index += 1
319 elif sys.argv[index].startswith('-g'):
Johnny Chena224cd12010-11-08 01:21:03 +0000320 fs4all = False
Johnny Chenb62436b2010-10-06 20:40:56 +0000321 index += 1
Johnny Chenaf149a02010-09-16 17:11:30 +0000322 elif sys.argv[index].startswith('-i'):
323 ignore = True
324 index += 1
Johnny Chen41998192010-10-01 22:59:49 +0000325 elif sys.argv[index].startswith('-l'):
326 skipLongRunningTest = False
327 index += 1
Johnny Chen7c52ff12010-09-27 23:29:54 +0000328 elif sys.argv[index].startswith('-p'):
329 # Increment by 1 to fetch the reg exp pattern argument.
330 index += 1
331 if index >= len(sys.argv) or sys.argv[index].startswith('-'):
332 usage()
333 regexp = sys.argv[index]
334 index += 1
Johnny Chen548aefd2010-10-11 22:25:46 +0000335 elif sys.argv[index].startswith('-r'):
336 # Increment by 1 to fetch the relocated directory argument.
337 index += 1
338 if index >= len(sys.argv) or sys.argv[index].startswith('-'):
339 usage()
340 rdir = os.path.abspath(sys.argv[index])
341 if os.path.exists(rdir):
342 print "Relocated directory:", rdir, "must not exist!"
343 usage()
344 index += 1
Johnny Chen125fc2b2010-10-21 16:55:35 +0000345 elif sys.argv[index].startswith('-s'):
346 # Increment by 1 to fetch the session dir name.
347 index += 1
348 if index >= len(sys.argv) or sys.argv[index].startswith('-'):
349 usage()
350 sdir_name = sys.argv[index]
351 index += 1
Johnny Chenaf149a02010-09-16 17:11:30 +0000352 elif sys.argv[index].startswith('-t'):
353 os.environ["LLDB_COMMAND_TRACE"] = "YES"
354 index += 1
355 elif sys.argv[index].startswith('-v'):
356 verbose = 2
357 index += 1
Johnny Chene47649c2010-10-07 02:04:14 +0000358 elif sys.argv[index].startswith('-w'):
359 os.environ["LLDB_WAIT_BETWEEN_TEST_CASES"] = 'YES'
360 index += 1
Johnny Chend2acdb32010-11-16 22:42:58 +0000361 elif sys.argv[index].startswith('-#'):
362 # Increment by 1 to fetch the repeat count argument.
363 index += 1
364 if index >= len(sys.argv) or sys.argv[index].startswith('-'):
365 usage()
366 count = int(sys.argv[index])
367 index += 1
Johnny Chenaf149a02010-09-16 17:11:30 +0000368 else:
369 print "Unknown option: ", sys.argv[index]
370 usage()
Johnny Chenaf149a02010-09-16 17:11:30 +0000371
372 # Gather all the dirs passed on the command line.
373 if len(sys.argv) > index:
374 testdirs = map(os.path.abspath, sys.argv[index:])
375
Johnny Chen548aefd2010-10-11 22:25:46 +0000376 # If '-r dir' is specified, the tests should be run under the relocated
377 # directory. Let's copy the testdirs over.
378 if rdir:
379 from shutil import copytree, ignore_patterns
380
381 tmpdirs = []
382 for srcdir in testdirs:
383 dstdir = os.path.join(rdir, os.path.basename(srcdir))
384 # Don't copy the *.pyc and .svn stuffs.
385 copytree(srcdir, dstdir, ignore=ignore_patterns('*.pyc', '.svn'))
386 tmpdirs.append(dstdir)
387
388 # This will be our modified testdirs.
389 testdirs = tmpdirs
390
391 # With '-r dir' specified, there's no cleanup of intermediate test files.
392 os.environ["LLDB_DO_CLEANUP"] = 'NO'
393
394 # If testdirs is ['test'], the make directory has already been copied
395 # recursively and is contained within the rdir/test dir. For anything
396 # else, we would need to copy over the make directory and its contents,
397 # so that, os.listdir(rdir) looks like, for example:
398 #
399 # array_types conditional_break make
400 #
401 # where the make directory contains the Makefile.rules file.
402 if len(testdirs) != 1 or os.path.basename(testdirs[0]) != 'test':
403 # Don't copy the .svn stuffs.
404 copytree('make', os.path.join(rdir, 'make'),
405 ignore=ignore_patterns('.svn'))
406
407 #print "testdirs:", testdirs
408
Johnny Chenb40056b2010-09-21 00:09:27 +0000409 # Source the configFile if specified.
410 # The side effect, if any, will be felt from this point on. An example
411 # config file may be these simple two lines:
412 #
413 # sys.stderr = open("/tmp/lldbtest-stderr", "w")
414 # sys.stdout = open("/tmp/lldbtest-stdout", "w")
415 #
416 # which will reassign the two file objects to sys.stderr and sys.stdout,
417 # respectively.
418 #
419 # See also lldb-trunk/example/test/usage-config.
420 global config
421 if configFile:
422 # Pass config (a dictionary) as the locals namespace for side-effect.
423 execfile(configFile, globals(), config)
424 #print "config:", config
425 #print "sys.stderr:", sys.stderr
426 #print "sys.stdout:", sys.stdout
427
Johnny Chenaf149a02010-09-16 17:11:30 +0000428
Johnny Chen9707bb62010-06-25 21:14:08 +0000429def setupSysPath():
430 """Add LLDB.framework/Resources/Python to the search paths for modules."""
431
Johnny Chen548aefd2010-10-11 22:25:46 +0000432 global rdir
433 global testdirs
434
Johnny Chen9707bb62010-06-25 21:14:08 +0000435 # Get the directory containing the current script.
Johnny Chena1affab2010-07-03 03:41:59 +0000436 scriptPath = sys.path[0]
437 if not scriptPath.endswith('test'):
Johnny Chen9707bb62010-06-25 21:14:08 +0000438 print "This script expects to reside in lldb's test directory."
439 sys.exit(-1)
440
Johnny Chen548aefd2010-10-11 22:25:46 +0000441 if rdir:
442 # Set up the LLDB_TEST environment variable appropriately, so that the
443 # individual tests can be located relatively.
444 #
445 # See also lldbtest.TestBase.setUpClass(cls).
446 if len(testdirs) == 1 and os.path.basename(testdirs[0]) == 'test':
447 os.environ["LLDB_TEST"] = os.path.join(rdir, 'test')
448 else:
449 os.environ["LLDB_TEST"] = rdir
450 else:
451 os.environ["LLDB_TEST"] = scriptPath
Johnny Chen9de4ede2010-08-31 17:42:54 +0000452 pluginPath = os.path.join(scriptPath, 'plugins')
Johnny Chen58f93922010-06-29 23:10:39 +0000453
Johnny Chenaf149a02010-09-16 17:11:30 +0000454 # Append script dir and plugin dir to the sys.path.
455 sys.path.append(scriptPath)
456 sys.path.append(pluginPath)
457
458 global ignore
459
460 # The '-i' option is used to skip looking for lldb.py in the build tree.
461 if ignore:
462 return
463
Johnny Chena1affab2010-07-03 03:41:59 +0000464 base = os.path.abspath(os.path.join(scriptPath, os.pardir))
Johnny Chen9707bb62010-06-25 21:14:08 +0000465 dbgPath = os.path.join(base, 'build', 'Debug', 'LLDB.framework',
466 'Resources', 'Python')
467 relPath = os.path.join(base, 'build', 'Release', 'LLDB.framework',
468 'Resources', 'Python')
Johnny Chenc202c462010-09-15 18:11:19 +0000469 baiPath = os.path.join(base, 'build', 'BuildAndIntegration',
470 'LLDB.framework', 'Resources', 'Python')
Johnny Chen9707bb62010-06-25 21:14:08 +0000471
472 lldbPath = None
473 if os.path.isfile(os.path.join(dbgPath, 'lldb.py')):
474 lldbPath = dbgPath
475 elif os.path.isfile(os.path.join(relPath, 'lldb.py')):
476 lldbPath = relPath
Johnny Chenc202c462010-09-15 18:11:19 +0000477 elif os.path.isfile(os.path.join(baiPath, 'lldb.py')):
478 lldbPath = baiPath
Johnny Chen9707bb62010-06-25 21:14:08 +0000479
480 if not lldbPath:
Johnny Chenc202c462010-09-15 18:11:19 +0000481 print 'This script requires lldb.py to be in either ' + dbgPath + ',',
482 print relPath + ', or ' + baiPath
Johnny Chen9707bb62010-06-25 21:14:08 +0000483 sys.exit(-1)
484
Johnny Chenaf149a02010-09-16 17:11:30 +0000485 # This is to locate the lldb.py module. Insert it right after sys.path[0].
486 sys.path[1:1] = [lldbPath]
Johnny Chen9707bb62010-06-25 21:14:08 +0000487
Johnny Chen9707bb62010-06-25 21:14:08 +0000488
Johnny Chencd0279d2010-09-20 18:07:50 +0000489def doDelay(delta):
490 """Delaying startup for delta-seconds to facilitate debugger attachment."""
491 def alarm_handler(*args):
492 raise Exception("timeout")
493
494 signal.signal(signal.SIGALRM, alarm_handler)
495 signal.alarm(delta)
496 sys.stdout.write("pid=%d\n" % os.getpid())
497 sys.stdout.write("Enter RET to proceed (or timeout after %d seconds):" %
498 delta)
499 sys.stdout.flush()
500 try:
501 text = sys.stdin.readline()
502 except:
503 text = ""
504 signal.alarm(0)
505 sys.stdout.write("proceeding...\n")
506 pass
507
508
Johnny Chen9707bb62010-06-25 21:14:08 +0000509def visit(prefix, dir, names):
510 """Visitor function for os.path.walk(path, visit, arg)."""
511
512 global suite
Johnny Chen7c52ff12010-09-27 23:29:54 +0000513 global regexp
Johnny Chenb62436b2010-10-06 20:40:56 +0000514 global filterspec
515 global fs4all
Johnny Chen9707bb62010-06-25 21:14:08 +0000516
517 for name in names:
518 if os.path.isdir(os.path.join(dir, name)):
519 continue
520
521 if '.py' == os.path.splitext(name)[1] and name.startswith(prefix):
Johnny Chen7c52ff12010-09-27 23:29:54 +0000522 # Try to match the regexp pattern, if specified.
523 if regexp:
524 import re
525 if re.search(regexp, name):
526 #print "Filename: '%s' matches pattern: '%s'" % (name, regexp)
527 pass
528 else:
529 #print "Filename: '%s' does not match pattern: '%s'" % (name, regexp)
530 continue
531
Johnny Chen953864a2010-10-12 21:35:54 +0000532 # We found a match for our test. Add it to the suite.
Johnny Chen79723352010-10-12 15:53:22 +0000533
534 # Update the sys.path first.
Johnny Chena85d7ee2010-06-26 00:19:32 +0000535 if not sys.path.count(dir):
Johnny Chen548aefd2010-10-11 22:25:46 +0000536 sys.path.insert(0, dir)
Johnny Chen9707bb62010-06-25 21:14:08 +0000537 base = os.path.splitext(name)[0]
Johnny Chenb62436b2010-10-06 20:40:56 +0000538
539 # Thoroughly check the filterspec against the base module and admit
540 # the (base, filterspec) combination only when it makes sense.
541 if filterspec:
542 # Optimistically set the flag to True.
543 filtered = True
544 module = __import__(base)
545 parts = filterspec.split('.')
546 obj = module
547 for part in parts:
548 try:
549 parent, obj = obj, getattr(obj, part)
550 except AttributeError:
551 # The filterspec has failed.
552 filtered = False
553 break
554 # Forgo this module if the (base, filterspec) combo is invalid
Johnny Chena224cd12010-11-08 01:21:03 +0000555 # and no '-g' option is specified
Johnny Chenb62436b2010-10-06 20:40:56 +0000556 if fs4all and not filtered:
557 continue
558
Johnny Chen953864a2010-10-12 21:35:54 +0000559 # Add either the filtered test case or the entire test class.
Johnny Chenb62436b2010-10-06 20:40:56 +0000560 if filterspec and filtered:
561 suite.addTests(
562 unittest2.defaultTestLoader.loadTestsFromName(filterspec, module))
563 else:
564 # A simple case of just the module name. Also the failover case
565 # from the filterspec branch when the (base, filterspec) combo
566 # doesn't make sense.
567 suite.addTests(unittest2.defaultTestLoader.loadTestsFromName(base))
Johnny Chen9707bb62010-06-25 21:14:08 +0000568
569
Johnny Chencd0279d2010-09-20 18:07:50 +0000570def lldbLoggings():
571 """Check and do lldb loggings if necessary."""
572
573 # Turn on logging for debugging purposes if ${LLDB_LOG} environment variable is
574 # defined. Use ${LLDB_LOG} to specify the log file.
575 ci = lldb.DBG.GetCommandInterpreter()
576 res = lldb.SBCommandReturnObject()
577 if ("LLDB_LOG" in os.environ):
578 if ("LLDB_LOG_OPTION" in os.environ):
579 lldb_log_option = os.environ["LLDB_LOG_OPTION"]
580 else:
Johnny Chen8fd886c2010-12-08 01:25:21 +0000581 lldb_log_option = "event process expr state api"
Johnny Chencd0279d2010-09-20 18:07:50 +0000582 ci.HandleCommand(
Johnny Chen58bf3442010-12-02 23:31:02 +0000583 "log enable -T -n -f " + os.environ["LLDB_LOG"] + " lldb " + lldb_log_option,
Johnny Chencd0279d2010-09-20 18:07:50 +0000584 res)
585 if not res.Succeeded():
586 raise Exception('log enable failed (check LLDB_LOG env variable.')
587 # Ditto for gdb-remote logging if ${GDB_REMOTE_LOG} environment variable is defined.
588 # Use ${GDB_REMOTE_LOG} to specify the log file.
589 if ("GDB_REMOTE_LOG" in os.environ):
590 if ("GDB_REMOTE_LOG_OPTION" in os.environ):
591 gdb_remote_log_option = os.environ["GDB_REMOTE_LOG_OPTION"]
592 else:
Johnny Chen7ab8c852010-12-02 18:35:13 +0000593 gdb_remote_log_option = "packets process"
Johnny Chencd0279d2010-09-20 18:07:50 +0000594 ci.HandleCommand(
Johnny Chen58bf3442010-12-02 23:31:02 +0000595 "log enable -T -n -f " + os.environ["GDB_REMOTE_LOG"] + " process.gdb-remote "
Johnny Chencd0279d2010-09-20 18:07:50 +0000596 + gdb_remote_log_option,
597 res)
598 if not res.Succeeded():
599 raise Exception('log enable failed (check GDB_REMOTE_LOG env variable.')
600
601
Johnny Chend96b5682010-11-05 17:30:53 +0000602# ======================================== #
Johnny Chencd0279d2010-09-20 18:07:50 +0000603# #
604# Execution of the test driver starts here #
605# #
Johnny Chend96b5682010-11-05 17:30:53 +0000606# ======================================== #
Johnny Chencd0279d2010-09-20 18:07:50 +0000607
Johnny Chen9707bb62010-06-25 21:14:08 +0000608#
Johnny Chenaf149a02010-09-16 17:11:30 +0000609# Start the actions by first parsing the options while setting up the test
610# directories, followed by setting up the search paths for lldb utilities;
611# then, we walk the directory trees and collect the tests into our test suite.
Johnny Chen9707bb62010-06-25 21:14:08 +0000612#
Johnny Chenaf149a02010-09-16 17:11:30 +0000613parseOptionsAndInitTestdirs()
Johnny Chen9707bb62010-06-25 21:14:08 +0000614setupSysPath()
Johnny Chen91960d32010-09-08 20:56:16 +0000615
616#
617# If '-d' is specified, do a delay of 10 seconds for the debugger to attach.
618#
619if delay:
Johnny Chencd0279d2010-09-20 18:07:50 +0000620 doDelay(10)
Johnny Chen91960d32010-09-08 20:56:16 +0000621
Johnny Chen49f2f7a2010-09-20 17:25:45 +0000622#
Johnny Chen41998192010-10-01 22:59:49 +0000623# If '-l' is specified, do not skip the long running tests.
624if not skipLongRunningTest:
625 os.environ["LLDB_SKIP_LONG_RUNNING_TEST"] = "NO"
626
627#
Johnny Chen79723352010-10-12 15:53:22 +0000628# Walk through the testdirs while collecting tests.
Johnny Chen49f2f7a2010-09-20 17:25:45 +0000629#
Johnny Chen9707bb62010-06-25 21:14:08 +0000630for testdir in testdirs:
631 os.path.walk(testdir, visit, 'Test')
632
Johnny Chenb40056b2010-09-21 00:09:27 +0000633#
Johnny Chen9707bb62010-06-25 21:14:08 +0000634# Now that we have loaded all the test cases, run the whole test suite.
Johnny Chenb40056b2010-09-21 00:09:27 +0000635#
Johnny Chencd0279d2010-09-20 18:07:50 +0000636
Johnny Chen1bfbd412010-06-29 19:44:16 +0000637# For the time being, let's bracket the test runner within the
638# lldb.SBDebugger.Initialize()/Terminate() pair.
Johnny Chen01f2a6a2010-08-10 20:23:55 +0000639import lldb, atexit
Johnny Chen6b6f5ba2010-10-14 16:36:49 +0000640# Update: the act of importing lldb now executes lldb.SBDebugger.Initialize(),
641# there's no need to call it a second time.
642#lldb.SBDebugger.Initialize()
Johnny Chen01f2a6a2010-08-10 20:23:55 +0000643atexit.register(lambda: lldb.SBDebugger.Terminate())
Johnny Chen1bfbd412010-06-29 19:44:16 +0000644
Johnny Chen909e5a62010-07-01 22:52:57 +0000645# Create a singleton SBDebugger in the lldb namespace.
646lldb.DBG = lldb.SBDebugger.Create()
647
Johnny Chen4f93bf12010-12-10 00:51:23 +0000648# Put the blacklist in the lldb namespace, to be used by lldb.TestBase.
Johnny Chen82e6b1e2010-12-01 22:47:54 +0000649lldb.blacklist = blacklist
650
Johnny Chen4f93bf12010-12-10 00:51:23 +0000651# Put dont/just_do_python_api_test in the lldb namespace, too.
652lldb.dont_do_python_api_test = dont_do_python_api_test
653lldb.just_do_python_api_test = just_do_python_api_test
654
Johnny Chencd0279d2010-09-20 18:07:50 +0000655# Turn on lldb loggings if necessary.
656lldbLoggings()
Johnny Chen909e5a62010-07-01 22:52:57 +0000657
Johnny Chen7987ac92010-08-09 20:40:52 +0000658# Install the control-c handler.
659unittest2.signals.installHandler()
660
Johnny Chen125fc2b2010-10-21 16:55:35 +0000661# If sdir_name is not specified through the '-s sdir_name' option, get a
662# timestamp string and export it as LLDB_SESSION_DIR environment var. This will
663# be used when/if we want to dump the session info of individual test cases
664# later on.
Johnny Chence681462010-10-19 00:25:01 +0000665#
666# See also TestBase.dumpSessionInfo() in lldbtest.py.
Johnny Chen125fc2b2010-10-21 16:55:35 +0000667if not sdir_name:
668 import datetime
Johnny Chen41fae812010-10-29 22:26:38 +0000669 # The windows platforms don't like ':' in the pathname.
Johnny Chen76bd0102010-10-28 16:32:13 +0000670 timestamp = datetime.datetime.now().strftime("%Y-%m-%d-%H_%M_%S")
Johnny Chen125fc2b2010-10-21 16:55:35 +0000671 sdir_name = timestamp
672os.environ["LLDB_SESSION_DIRNAME"] = sdir_name
Johnny Chen47c47c42010-11-09 23:42:00 +0000673sys.stderr.write("\nSession logs for test failures/errors will go into directory '%s'\n" % sdir_name)
Johnny Chence681462010-10-19 00:25:01 +0000674
Johnny Chenb40056b2010-09-21 00:09:27 +0000675#
676# Invoke the default TextTestRunner to run the test suite, possibly iterating
677# over different configurations.
678#
679
Johnny Chenb40056b2010-09-21 00:09:27 +0000680iterArchs = False
Johnny Chenf032d902010-09-21 00:16:09 +0000681iterCompilers = False
Johnny Chenb40056b2010-09-21 00:09:27 +0000682
683from types import *
684if "archs" in config:
685 archs = config["archs"]
686 if type(archs) is ListType and len(archs) >= 1:
687 iterArchs = True
688if "compilers" in config:
689 compilers = config["compilers"]
690 if type(compilers) is ListType and len(compilers) >= 1:
691 iterCompilers = True
692
Johnny Chen953864a2010-10-12 21:35:54 +0000693# Make a shallow copy of sys.path, we need to manipulate the search paths later.
694# This is only necessary if we are relocated and with different configurations.
695if rdir and (iterArchs or iterCompilers):
696 old_sys_path = sys.path[:]
697 old_stderr = sys.stderr
698 old_stdout = sys.stdout
699 new_stderr = None
700 new_stdout = None
701
Johnny Chend96b5682010-11-05 17:30:53 +0000702# Iterating over all possible architecture and compiler combinations.
Johnny Chenb40056b2010-09-21 00:09:27 +0000703for ia in range(len(archs) if iterArchs else 1):
704 archConfig = ""
705 if iterArchs:
Johnny Chen18a921f2010-09-30 17:11:58 +0000706 os.environ["ARCH"] = archs[ia]
Johnny Chenb40056b2010-09-21 00:09:27 +0000707 archConfig = "arch=%s" % archs[ia]
708 for ic in range(len(compilers) if iterCompilers else 1):
709 if iterCompilers:
Johnny Chen18a921f2010-09-30 17:11:58 +0000710 os.environ["CC"] = compilers[ic]
Johnny Chenb40056b2010-09-21 00:09:27 +0000711 configString = "%s compiler=%s" % (archConfig, compilers[ic])
712 else:
713 configString = archConfig
714
Johnny Chenb40056b2010-09-21 00:09:27 +0000715 if iterArchs or iterCompilers:
Johnny Chen953864a2010-10-12 21:35:54 +0000716 # If we specified a relocated directory to run the test suite, do
717 # the extra housekeeping to copy the testdirs to a configStringified
718 # directory and to update sys.path before invoking the test runner.
719 # The purpose is to separate the configuration-specific directories
720 # from each other.
721 if rdir:
722 from string import maketrans
723 from shutil import copytree, ignore_patterns
724
725 # Translate ' ' to '-' for dir name.
726 tbl = maketrans(' ', '-')
727 configPostfix = configString.translate(tbl)
728 newrdir = "%s.%s" % (rdir, configPostfix)
729
730 # Copy the tree to a new directory with postfix name configPostfix.
731 copytree(rdir, newrdir, ignore=ignore_patterns('*.pyc', '*.o', '*.d'))
732
733 # Check whether we need to split stderr/stdout into configuration
734 # specific files.
735 if old_stderr.name != '<stderr>' and config.get('split_stderr'):
736 if new_stderr:
737 new_stderr.close()
738 new_stderr = open("%s.%s" % (old_stderr.name, configPostfix), "w")
739 sys.stderr = new_stderr
Johnny Chen4b6630e2010-10-12 21:50:36 +0000740 if old_stdout.name != '<stdout>' and config.get('split_stdout'):
Johnny Chen953864a2010-10-12 21:35:54 +0000741 if new_stdout:
742 new_stdout.close()
743 new_stdout = open("%s.%s" % (old_stdout.name, configPostfix), "w")
744 sys.stdout = new_stdout
745
746 # Update the LLDB_TEST environment variable to reflect new top
747 # level test directory.
748 #
749 # See also lldbtest.TestBase.setUpClass(cls).
750 if len(testdirs) == 1 and os.path.basename(testdirs[0]) == 'test':
751 os.environ["LLDB_TEST"] = os.path.join(newrdir, 'test')
752 else:
753 os.environ["LLDB_TEST"] = newrdir
754
755 # And update the Python search paths for modules.
756 sys.path = [x.replace(rdir, newrdir, 1) for x in old_sys_path]
757
758 # Output the configuration.
Johnny Chenb40056b2010-09-21 00:09:27 +0000759 sys.stderr.write("\nConfiguration: " + configString + "\n")
Johnny Chen953864a2010-10-12 21:35:54 +0000760
761 #print "sys.stderr name is", sys.stderr.name
762 #print "sys.stdout name is", sys.stdout.name
763
764 # First, write out the number of collected test cases.
765 sys.stderr.write(separator + "\n")
766 sys.stderr.write("Collected %d test%s\n\n"
767 % (suite.countTestCases(),
768 suite.countTestCases() != 1 and "s" or ""))
769
Johnny Chen84a6d6f2010-10-15 01:18:29 +0000770 class LLDBTestResult(unittest2.TextTestResult):
771 """
Johnny Chen26be4532010-11-09 23:56:14 +0000772 Enforce a singleton pattern to allow introspection of test progress.
773
774 Overwrite addError(), addFailure(), and addExpectedFailure() methods
775 to enable each test instance to track its failure/error status. It
776 is used in the LLDB test framework to emit detailed trace messages
777 to a log file for easier human inspection of test failres/errors.
Johnny Chen84a6d6f2010-10-15 01:18:29 +0000778 """
779 __singleton__ = None
Johnny Chen360dd372010-11-29 17:50:10 +0000780 __ignore_singleton__ = False
Johnny Chen84a6d6f2010-10-15 01:18:29 +0000781
782 def __init__(self, *args):
Johnny Chen360dd372010-11-29 17:50:10 +0000783 if not LLDBTestResult.__ignore_singleton__ and LLDBTestResult.__singleton__:
Johnny Chend2acdb32010-11-16 22:42:58 +0000784 raise Exception("LLDBTestResult instantiated more than once")
Johnny Chen84a6d6f2010-10-15 01:18:29 +0000785 super(LLDBTestResult, self).__init__(*args)
786 LLDBTestResult.__singleton__ = self
787 # Now put this singleton into the lldb module namespace.
788 lldb.test_result = self
789
Johnny Chence681462010-10-19 00:25:01 +0000790 def addError(self, test, err):
Johnny Chen63c2cba2010-10-29 22:20:36 +0000791 global sdir_has_content
792 sdir_has_content = True
Johnny Chence681462010-10-19 00:25:01 +0000793 super(LLDBTestResult, self).addError(test, err)
794 method = getattr(test, "markError", None)
795 if method:
796 method()
797
Johnny Chen84a6d6f2010-10-15 01:18:29 +0000798 def addFailure(self, test, err):
Johnny Chen63c2cba2010-10-29 22:20:36 +0000799 global sdir_has_content
800 sdir_has_content = True
Johnny Chen84a6d6f2010-10-15 01:18:29 +0000801 super(LLDBTestResult, self).addFailure(test, err)
802 method = getattr(test, "markFailure", None)
803 if method:
804 method()
Johnny Chen84a6d6f2010-10-15 01:18:29 +0000805
Johnny Chendd2bb2c2010-11-03 18:17:03 +0000806 def addExpectedFailure(self, test, err):
807 global sdir_has_content
808 sdir_has_content = True
809 super(LLDBTestResult, self).addExpectedFailure(test, err)
810 method = getattr(test, "markExpectedFailure", None)
811 if method:
812 method()
813
Johnny Chen26be4532010-11-09 23:56:14 +0000814 # Invoke the test runner.
Johnny Chend2acdb32010-11-16 22:42:58 +0000815 if count == 1:
Johnny Chen7d6d8442010-12-03 19:59:35 +0000816 result = unittest2.TextTestRunner(stream=sys.stderr,
817 verbosity=verbose,
818 failfast=failfast,
Johnny Chend2acdb32010-11-16 22:42:58 +0000819 resultclass=LLDBTestResult).run(suite)
820 else:
Johnny Chend6e7ca22010-11-29 17:52:43 +0000821 # We are invoking the same test suite more than once. In this case,
822 # mark __ignore_singleton__ flag as True so the signleton pattern is
823 # not enforced.
Johnny Chen360dd372010-11-29 17:50:10 +0000824 LLDBTestResult.__ignore_singleton__ = True
Johnny Chend2acdb32010-11-16 22:42:58 +0000825 for i in range(count):
Johnny Chen7d6d8442010-12-03 19:59:35 +0000826 result = unittest2.TextTestRunner(stream=sys.stderr,
827 verbosity=verbose,
828 failfast=failfast,
Johnny Chen360dd372010-11-29 17:50:10 +0000829 resultclass=LLDBTestResult).run(suite)
Johnny Chenb40056b2010-09-21 00:09:27 +0000830
Johnny Chen1bfbd412010-06-29 19:44:16 +0000831
Johnny Chen63c2cba2010-10-29 22:20:36 +0000832if sdir_has_content:
Johnny Chen47c47c42010-11-09 23:42:00 +0000833 sys.stderr.write("Session logs for test failures/errors can be found in directory '%s'\n" % sdir_name)
Johnny Chen63c2cba2010-10-29 22:20:36 +0000834
Johnny Chencd0279d2010-09-20 18:07:50 +0000835# Terminate the test suite if ${LLDB_TESTSUITE_FORCE_FINISH} is defined.
836# This should not be necessary now.
Johnny Chen83f6e512010-08-13 22:58:44 +0000837if ("LLDB_TESTSUITE_FORCE_FINISH" in os.environ):
838 import subprocess
839 print "Terminating Test suite..."
840 subprocess.Popen(["/bin/sh", "-c", "kill %s; exit 0" % (os.getpid())])
841
Johnny Chen01f2a6a2010-08-10 20:23:55 +0000842# Exiting.
843sys.exit(not result.wasSuccessful)