194
169
self._overall_start_time = time.time()
195
170
self._strict = strict
196
self._first_thread_leaker_id = None
197
self._tests_leaking_threads_count = 0
199
def stopTestRun(self):
202
stopTime = time.time()
203
timeTaken = stopTime - self.startTime
204
# GZ 2010-07-19: Seems testtools has no printErrors method, and though
205
# the parent class method is similar have to duplicate
206
self._show_list('ERROR', self.errors)
207
self._show_list('FAIL', self.failures)
208
self.stream.write(self.sep2)
209
self.stream.write("%s %d test%s in %.3fs\n\n" % (actionTaken,
210
run, run != 1 and "s" or "", timeTaken))
211
if not self.wasSuccessful():
212
self.stream.write("FAILED (")
213
failed, errored = map(len, (self.failures, self.errors))
215
self.stream.write("failures=%d" % failed)
217
if failed: self.stream.write(", ")
218
self.stream.write("errors=%d" % errored)
219
if self.known_failure_count:
220
if failed or errored: self.stream.write(", ")
221
self.stream.write("known_failure_count=%d" %
222
self.known_failure_count)
223
self.stream.write(")\n")
225
if self.known_failure_count:
226
self.stream.write("OK (known_failures=%d)\n" %
227
self.known_failure_count)
229
self.stream.write("OK\n")
230
if self.skip_count > 0:
231
skipped = self.skip_count
232
self.stream.write('%d test%s skipped\n' %
233
(skipped, skipped != 1 and "s" or ""))
235
for feature, count in sorted(self.unsupported.items()):
236
self.stream.write("Missing feature '%s' skipped %d tests.\n" %
239
174
ok = self.wasStrictlySuccessful()
241
176
ok = self.wasSuccessful()
242
if self._first_thread_leaker_id:
178
self.stream.write('tests passed\n')
180
self.stream.write('tests failed\n')
181
if TestCase._first_thread_leaker_id:
243
182
self.stream.write(
244
183
'%s is leaking threads among %d leaking tests.\n' % (
245
self._first_thread_leaker_id,
246
self._tests_leaking_threads_count))
247
# We don't report the main thread as an active one.
249
'%d non-main threads were left active in the end.\n'
250
% (len(self._active_threads) - 1))
252
def getDescription(self, test):
255
def _extractBenchmarkTime(self, testCase, details=None):
184
TestCase._first_thread_leaker_id,
185
TestCase._leaking_threads_tests))
187
def _extractBenchmarkTime(self, testCase):
256
188
"""Add a benchmark time for the current test case."""
257
if details and 'benchtime' in details:
258
return float(''.join(details['benchtime'].iter_bytes()))
259
189
return getattr(testCase, "_benchtime", None)
261
191
def _elapsedTestTimeString(self):
278
210
def _shortened_test_description(self, test):
280
what = re.sub(r'^bzrlib\.tests\.', '', what)
212
what = re.sub(r'^bzrlib\.(tests|benchmarks)\.', '', what)
283
215
def startTest(self, test):
284
super(ExtendedTestResult, self).startTest(test)
216
unittest.TestResult.startTest(self, test)
285
217
if self.count == 0:
286
218
self.startTests()
288
219
self.report_test_start(test)
289
220
test.number = self.count
290
221
self._recordTestStartTime()
291
# Only check for thread leaks if the test case supports cleanups
292
addCleanup = getattr(test, "addCleanup", None)
293
if addCleanup is not None:
294
addCleanup(self._check_leaked_threads, test)
296
223
def startTests(self):
297
self.report_tests_starting()
298
self._active_threads = threading.enumerate()
300
def _check_leaked_threads(self, test):
301
"""See if any threads have leaked since last call
303
A sample of live threads is stored in the _active_threads attribute,
304
when this method runs it compares the current live threads and any not
305
in the previous sample are treated as having leaked.
307
now_active_threads = set(threading.enumerate())
308
threads_leaked = now_active_threads.difference(self._active_threads)
310
self._report_thread_leak(test, threads_leaked, now_active_threads)
311
self._tests_leaking_threads_count += 1
312
if self._first_thread_leaker_id is None:
313
self._first_thread_leaker_id = test.id()
314
self._active_threads = now_active_threads
225
'testing: %s\n' % (osutils.realpath(sys.argv[0]),))
227
' %s (%s python%s)\n' % (
229
bzrlib.version_string,
230
bzrlib._format_version_tuple(sys.version_info),
232
self.stream.write('\n')
316
234
def _recordTestStartTime(self):
317
235
"""Record that a test has started."""
318
236
self._start_time = time.time()
238
def _cleanupLogFile(self, test):
239
# We can only do this if we have one of our TestCases, not if
241
setKeepLogfile = getattr(test, 'setKeepLogfile', None)
242
if setKeepLogfile is not None:
320
245
def addError(self, test, err):
321
246
"""Tell result that test finished with an error.
323
248
Called from the TestCase run() method when the test
324
249
fails with an unexpected error.
327
super(ExtendedTestResult, self).addError(test, err)
328
self.error_count += 1
329
self.report_error(test, err)
251
self._testConcluded(test)
252
if isinstance(err[1], TestNotApplicable):
253
return self._addNotApplicable(test, err)
254
elif isinstance(err[1], UnavailableFeature):
255
return self.addNotSupported(test, err[1].args[0])
257
unittest.TestResult.addError(self, test, err)
258
self.error_count += 1
259
self.report_error(test, err)
262
self._cleanupLogFile(test)
333
264
def addFailure(self, test, err):
334
265
"""Tell result that test failed.
380
324
self.skip_count += 1
381
325
self.report_skip(test, reason)
383
def addNotApplicable(self, test, reason):
384
self.not_applicable_count += 1
385
self.report_not_applicable(test, reason)
387
def _post_mortem(self):
388
"""Start a PDB post mortem session."""
389
if os.environ.get('BZR_TEST_PDB', None):
390
import pdb;pdb.post_mortem()
392
def progress(self, offset, whence):
393
"""The test is adjusting the count of tests to run."""
394
if whence == SUBUNIT_SEEK_SET:
395
self.num_tests = offset
396
elif whence == SUBUNIT_SEEK_CUR:
397
self.num_tests += offset
399
raise errors.BzrError("Unknown whence %r" % whence)
401
def report_tests_starting(self):
402
"""Display information before the test run begins"""
403
if getattr(sys, 'frozen', None) is None:
404
bzr_path = osutils.realpath(sys.argv[0])
406
bzr_path = sys.executable
408
'bzr selftest: %s\n' % (bzr_path,))
411
bzrlib.__path__[0],))
413
' bzr-%s python-%s %s\n' % (
414
bzrlib.version_string,
415
bzrlib._format_version_tuple(sys.version_info),
416
platform.platform(aliased=1),
418
self.stream.write('\n')
420
def report_test_start(self, test):
421
"""Display information on the test just about to be run"""
423
def _report_thread_leak(self, test, leaked_threads, active_threads):
424
"""Display information on a test that leaked one or more threads"""
425
# GZ 2010-09-09: A leak summary reported separately from the general
426
# thread debugging would be nice. Tests under subunit
427
# need something not using stream, perhaps adding a
428
# testtools details object would be fitting.
429
if 'threads' in selftest_debug_flags:
430
self.stream.write('%s is leaking, active is now %d\n' %
431
(test.id(), len(active_threads)))
433
def startTestRun(self):
434
self.startTime = time.time()
327
def _addNotApplicable(self, test, skip_excinfo):
328
if isinstance(skip_excinfo[1], TestNotApplicable):
329
self.not_applicable_count += 1
330
self.report_not_applicable(test, skip_excinfo)
333
except KeyboardInterrupt:
336
self.addError(test, test.exc_info())
338
# seems best to treat this as success from point-of-view of unittest
339
# -- it actually does nothing so it barely matters :)
340
unittest.TestResult.addSuccess(self, test)
341
test._log_contents = ''
343
def printErrorList(self, flavour, errors):
344
for test, err in errors:
345
self.stream.writeln(self.separator1)
346
self.stream.write("%s: " % flavour)
347
self.stream.writeln(self.getDescription(test))
348
if getattr(test, '_get_log', None) is not None:
349
self.stream.write('\n')
351
('vvvv[log from %s]' % test.id()).ljust(78,'-'))
352
self.stream.write('\n')
353
self.stream.write(test._get_log())
354
self.stream.write('\n')
356
('^^^^[log from %s]' % test.id()).ljust(78,'-'))
357
self.stream.write('\n')
358
self.stream.writeln(self.separator2)
359
self.stream.writeln("%s" % err)
364
def report_cleaning_up(self):
436
367
def report_success(self, test):
568
498
return '%s%s' % (indent, err[1])
570
500
def report_error(self, test, err):
571
self.stream.write('ERROR %s\n%s\n'
501
self.stream.writeln('ERROR %s\n%s'
572
502
% (self._testTimeString(test),
573
503
self._error_summary(err)))
575
505
def report_failure(self, test, err):
576
self.stream.write(' FAIL %s\n%s\n'
506
self.stream.writeln(' FAIL %s\n%s'
577
507
% (self._testTimeString(test),
578
508
self._error_summary(err)))
580
510
def report_known_failure(self, test, err):
581
self.stream.write('XFAIL %s\n%s\n'
511
self.stream.writeln('XFAIL %s\n%s'
582
512
% (self._testTimeString(test),
583
513
self._error_summary(err)))
585
515
def report_success(self, test):
586
self.stream.write(' OK %s\n' % self._testTimeString(test))
516
self.stream.writeln(' OK %s' % self._testTimeString(test))
587
517
for bench_called, stats in getattr(test, '_benchcalls', []):
588
self.stream.write('LSProf output for %s(%s, %s)\n' % bench_called)
518
self.stream.writeln('LSProf output for %s(%s, %s)' % bench_called)
589
519
stats.pprint(file=self.stream)
590
520
# flush the stream so that we get smooth output. This verbose mode is
591
521
# used to show the output in PQM.
592
522
self.stream.flush()
594
524
def report_skip(self, test, reason):
595
self.stream.write(' SKIP %s\n%s\n'
525
self.stream.writeln(' SKIP %s\n%s'
596
526
% (self._testTimeString(test), reason))
598
def report_not_applicable(self, test, reason):
599
self.stream.write(' N/A %s\n %s\n'
600
% (self._testTimeString(test), reason))
528
def report_not_applicable(self, test, skip_excinfo):
529
self.stream.writeln(' N/A %s\n%s'
530
% (self._testTimeString(test),
531
self._error_summary(skip_excinfo)))
602
533
def report_unsupported(self, test, feature):
603
534
"""test cannot be run because feature is missing."""
604
self.stream.write("NODEP %s\n The feature '%s' is not available.\n"
535
self.stream.writeln("NODEP %s\n The feature '%s' is not available."
605
536
%(self._testTimeString(test), feature))
615
546
bench_history=None,
617
result_decorators=None,
619
"""Create a TextTestRunner.
621
:param result_decorators: An optional list of decorators to apply
622
to the result object being used by the runner. Decorators are
623
applied left to right - the first element in the list is the
626
# stream may know claim to know to write unicode strings, but in older
627
# pythons this goes sufficiently wrong that it is a bad idea. (
628
# specifically a built in file with encoding 'UTF-8' will still try
629
# to encode using ascii.
630
new_encoding = osutils.get_terminal_encoding()
631
codec = codecs.lookup(new_encoding)
632
if type(codec) is tuple:
636
encode = codec.encode
637
stream = osutils.UnicodeOrBytesToBytesWriter(encode, stream)
638
stream.encoding = new_encoding
550
self.stream = unittest._WritelnDecorator(stream)
640
551
self.descriptions = descriptions
641
552
self.verbosity = verbosity
642
553
self._bench_history = bench_history
554
self.list_only = list_only
643
555
self._strict = strict
644
self._result_decorators = result_decorators or []
646
557
def run(self, test):
647
558
"Run the given test case or test suite."
559
startTime = time.time()
648
560
if self.verbosity == 1:
649
561
result_class = TextTestResult
650
562
elif self.verbosity >= 2:
651
563
result_class = VerboseTestResult
652
original_result = result_class(self.stream,
564
result = result_class(self.stream,
653
565
self.descriptions,
655
567
bench_history=self._bench_history,
568
num_tests=test.countTestCases(),
656
569
strict=self._strict,
658
# Signal to result objects that look at stop early policy to stop,
659
original_result.stop_early = self.stop_on_failure
660
result = original_result
661
for decorator in self._result_decorators:
662
result = decorator(result)
663
result.stop_early = self.stop_on_failure
664
result.startTestRun()
669
# higher level code uses our extended protocol to determine
670
# what exit code to give.
671
return original_result
571
result.stop_early = self.stop_on_failure
572
result.report_starting()
574
if self.verbosity >= 2:
575
self.stream.writeln("Listing tests only ...\n")
577
for t in iter_suite_tests(test):
578
self.stream.writeln("%s" % (t.id()))
587
if isinstance(test, testtools.ConcurrentTestSuite):
588
# We need to catch bzr specific behaviors
589
test.run(BZRTransformingResult(result))
592
run = result.testsRun
594
stopTime = time.time()
595
timeTaken = stopTime - startTime
597
self.stream.writeln(result.separator2)
598
self.stream.writeln("%s %d test%s in %.3fs" % (actionTaken,
599
run, run != 1 and "s" or "", timeTaken))
600
self.stream.writeln()
601
if not result.wasSuccessful():
602
self.stream.write("FAILED (")
603
failed, errored = map(len, (result.failures, result.errors))
605
self.stream.write("failures=%d" % failed)
607
if failed: self.stream.write(", ")
608
self.stream.write("errors=%d" % errored)
609
if result.known_failure_count:
610
if failed or errored: self.stream.write(", ")
611
self.stream.write("known_failure_count=%d" %
612
result.known_failure_count)
613
self.stream.writeln(")")
615
if result.known_failure_count:
616
self.stream.writeln("OK (known_failures=%d)" %
617
result.known_failure_count)
619
self.stream.writeln("OK")
620
if result.skip_count > 0:
621
skipped = result.skip_count
622
self.stream.writeln('%d test%s skipped' %
623
(skipped, skipped != 1 and "s" or ""))
624
if result.unsupported:
625
for feature, count in sorted(result.unsupported.items()):
626
self.stream.writeln("Missing feature '%s' skipped %d tests." %
674
632
def iter_suite_tests(suite):
806
769
routine, and to build and check bzr trees.
808
771
In addition to the usual method of overriding tearDown(), this class also
809
allows subclasses to register cleanup functions via addCleanup, which are
772
allows subclasses to register functions into the _cleanups list, which is
810
773
run in order as the object is torn down. It's less likely this will be
811
774
accidentally overlooked.
777
_active_threads = None
778
_leaking_threads_tests = 0
779
_first_thread_leaker_id = None
780
_log_file_name = None
782
_keep_log_file = False
815
783
# record lsprof data when performing benchmark calls.
816
784
_gather_lsprof_in_benchmarks = False
785
attrs_to_keep = ('id', '_testMethodName', '_testMethodDoc',
786
'_log_contents', '_log_file_name', '_benchtime',
787
'_TestCase__testMethodName', '_TestCase__testMethodDoc',)
818
789
def __init__(self, methodName='testMethod'):
819
790
super(TestCase, self).__init__(methodName)
820
self._directory_isolation = True
821
self.exception_handlers.insert(0,
822
(UnavailableFeature, self._do_unsupported_or_skip))
823
self.exception_handlers.insert(0,
824
(TestNotApplicable, self._do_not_applicable))
792
self._bzr_test_setUp_run = False
793
self._bzr_test_tearDown_run = False
827
super(TestCase, self).setUp()
828
for feature in getattr(self, '_test_needs_features', []):
829
self.requireFeature(feature)
830
self._log_contents = None
831
self.addDetail("log", content.Content(content.ContentType("text",
832
"plain", {"charset": "utf8"}),
833
lambda:[self._get_log(keep_log_file=True)]))
796
unittest.TestCase.setUp(self)
797
self._bzr_test_setUp_run = True
834
798
self._cleanEnvironment()
835
799
self._silenceUI()
836
800
self._startLogFile()
837
801
self._benchcalls = []
838
802
self._benchtime = None
839
803
self._clear_hooks()
840
self._track_transports()
804
# Track locks - needs to be called before _clear_debug_flags.
841
805
self._track_locks()
842
806
self._clear_debug_flags()
807
TestCase._active_threads = threading.activeCount()
808
self.addCleanup(self._check_leaked_threads)
845
811
# debug a frame up.
847
813
pdb.Pdb().set_trace(sys._getframe().f_back)
849
def discardDetail(self, name):
850
"""Extend the addDetail, getDetails api so we can remove a detail.
852
eg. bzr always adds the 'log' detail at startup, but we don't want to
853
include it for skipped, xfail, etc tests.
855
It is safe to call this for a detail that doesn't exist, in case this
856
gets called multiple times.
858
# We cheat. details is stored in __details which means we shouldn't
859
# touch it. but getDetails() returns the dict directly, so we can
861
details = self.getDetails()
815
def _check_leaked_threads(self):
816
active = threading.activeCount()
817
leaked_threads = active - TestCase._active_threads
818
TestCase._active_threads = active
820
TestCase._leaking_threads_tests += 1
821
if TestCase._first_thread_leaker_id is None:
822
TestCase._first_thread_leaker_id = self.id()
865
824
def _clear_debug_flags(self):
866
825
"""Prevent externally set debug flags affecting tests.
953
904
def _lock_broken(self, result):
954
905
self._lock_actions.append(('broken', result))
956
def permit_dir(self, name):
957
"""Permit a directory to be used by this test. See permit_url."""
958
name_transport = _mod_transport.get_transport(name)
959
self.permit_url(name)
960
self.permit_url(name_transport.base)
962
def permit_url(self, url):
963
"""Declare that url is an ok url to use in this test.
965
Do this for memory transports, temporary test directory etc.
967
Do not do this for the current working directory, /tmp, or any other
968
preexisting non isolated url.
970
if not url.endswith('/'):
972
self._bzr_selftest_roots.append(url)
974
def permit_source_tree_branch_repo(self):
975
"""Permit the source tree bzr is running from to be opened.
977
Some code such as bzrlib.version attempts to read from the bzr branch
978
that bzr is executing from (if any). This method permits that directory
979
to be used in the test suite.
981
path = self.get_source_path()
982
self.record_directory_isolation()
985
workingtree.WorkingTree.open(path)
986
except (errors.NotBranchError, errors.NoWorkingTree):
987
raise TestSkipped('Needs a working tree of bzr sources')
989
self.enable_directory_isolation()
991
def _preopen_isolate_transport(self, transport):
992
"""Check that all transport openings are done in the test work area."""
993
while isinstance(transport, pathfilter.PathFilteringTransport):
994
# Unwrap pathfiltered transports
995
transport = transport.server.backing_transport.clone(
996
transport._filter('.'))
998
# ReadonlySmartTCPServer_for_testing decorates the backing transport
999
# urls it is given by prepending readonly+. This is appropriate as the
1000
# client shouldn't know that the server is readonly (or not readonly).
1001
# We could register all servers twice, with readonly+ prepending, but
1002
# that makes for a long list; this is about the same but easier to
1004
if url.startswith('readonly+'):
1005
url = url[len('readonly+'):]
1006
self._preopen_isolate_url(url)
1008
def _preopen_isolate_url(self, url):
1009
if not self._directory_isolation:
1011
if self._directory_isolation == 'record':
1012
self._bzr_selftest_roots.append(url)
1014
# This prevents all transports, including e.g. sftp ones backed on disk
1015
# from working unless they are explicitly granted permission. We then
1016
# depend on the code that sets up test transports to check that they are
1017
# appropriately isolated and enable their use by calling
1018
# self.permit_transport()
1019
if not osutils.is_inside_any(self._bzr_selftest_roots, url):
1020
raise errors.BzrError("Attempt to escape test isolation: %r %r"
1021
% (url, self._bzr_selftest_roots))
1023
def record_directory_isolation(self):
1024
"""Gather accessed directories to permit later access.
1026
This is used for tests that access the branch bzr is running from.
1028
self._directory_isolation = "record"
1030
def start_server(self, transport_server, backing_server=None):
1031
"""Start transport_server for this test.
1033
This starts the server, registers a cleanup for it and permits the
1034
server's urls to be used.
1036
if backing_server is None:
1037
transport_server.start_server()
1039
transport_server.start_server(backing_server)
1040
self.addCleanup(transport_server.stop_server)
1041
# Obtain a real transport because if the server supplies a password, it
1042
# will be hidden from the base on the client side.
1043
t = _mod_transport.get_transport(transport_server.get_url())
1044
# Some transport servers effectively chroot the backing transport;
1045
# others like SFTPServer don't - users of the transport can walk up the
1046
# transport to read the entire backing transport. This wouldn't matter
1047
# except that the workdir tests are given - and that they expect the
1048
# server's url to point at - is one directory under the safety net. So
1049
# Branch operations into the transport will attempt to walk up one
1050
# directory. Chrooting all servers would avoid this but also mean that
1051
# we wouldn't be testing directly against non-root urls. Alternatively
1052
# getting the test framework to start the server with a backing server
1053
# at the actual safety net directory would work too, but this then
1054
# means that the self.get_url/self.get_transport methods would need
1055
# to transform all their results. On balance its cleaner to handle it
1056
# here, and permit a higher url when we have one of these transports.
1057
if t.base.endswith('/work/'):
1058
# we have safety net/test root/work
1059
t = t.clone('../..')
1060
elif isinstance(transport_server,
1061
test_server.SmartTCPServer_for_testing):
1062
# The smart server adds a path similar to work, which is traversed
1063
# up from by the client. But the server is chrooted - the actual
1064
# backing transport is not escaped from, and VFS requests to the
1065
# root will error (because they try to escape the chroot).
1067
while t2.base != t.base:
1070
self.permit_url(t.base)
1072
def _track_transports(self):
1073
"""Install checks for transport usage."""
1074
# TestCase has no safe place it can write to.
1075
self._bzr_selftest_roots = []
1076
# Currently the easiest way to be sure that nothing is going on is to
1077
# hook into bzr dir opening. This leaves a small window of error for
1078
# transport tests, but they are well known, and we can improve on this
1080
bzrdir.BzrDir.hooks.install_named_hook("pre_open",
1081
self._preopen_isolate_transport, "Check bzr directories are safe.")
1083
907
def _ndiff_strings(self, a, b):
1084
908
"""Return ndiff between two strings containing lines.
1585
1368
"""This test has failed for some known reason."""
1586
1369
raise KnownFailure(reason)
1588
def _suppress_log(self):
1589
"""Remove the log info from details."""
1590
self.discardDetail('log')
1592
1371
def _do_skip(self, result, reason):
1593
self._suppress_log()
1594
1372
addSkip = getattr(result, 'addSkip', None)
1595
1373
if not callable(addSkip):
1596
result.addSuccess(result)
1374
result.addError(self, sys.exc_info())
1598
1376
addSkip(self, reason)
1601
def _do_known_failure(self, result, e):
1602
self._suppress_log()
1603
err = sys.exc_info()
1604
addExpectedFailure = getattr(result, 'addExpectedFailure', None)
1605
if addExpectedFailure is not None:
1606
addExpectedFailure(self, err)
1608
result.addSuccess(self)
1611
def _do_not_applicable(self, result, e):
1613
reason = 'No reason given'
1616
self._suppress_log ()
1617
addNotApplicable = getattr(result, 'addNotApplicable', None)
1618
if addNotApplicable is not None:
1619
result.addNotApplicable(self, reason)
1621
self._do_skip(result, reason)
1624
def _report_skip(self, result, err):
1625
"""Override the default _report_skip.
1627
We want to strip the 'log' detail. If we waint until _do_skip, it has
1628
already been formatted into the 'reason' string, and we can't pull it
1631
self._suppress_log()
1632
super(TestCase, self)._report_skip(self, result, err)
1635
def _report_expected_failure(self, result, err):
1638
See _report_skip for motivation.
1640
self._suppress_log()
1641
super(TestCase, self)._report_expected_failure(self, result, err)
1644
def _do_unsupported_or_skip(self, result, e):
1646
self._suppress_log()
1647
addNotSupported = getattr(result, 'addNotSupported', None)
1648
if addNotSupported is not None:
1649
result.addNotSupported(self, reason)
1651
self._do_skip(result, reason)
1378
def run(self, result=None):
1379
if result is None: result = self.defaultTestResult()
1380
for feature in getattr(self, '_test_needs_features', []):
1381
if not feature.available():
1382
result.startTest(self)
1383
if getattr(result, 'addNotSupported', None):
1384
result.addNotSupported(self, feature)
1386
result.addSuccess(self)
1387
result.stopTest(self)
1391
result.startTest(self)
1392
absent_attr = object()
1394
method_name = getattr(self, '_testMethodName', absent_attr)
1395
if method_name is absent_attr:
1397
method_name = getattr(self, '_TestCase__testMethodName')
1398
testMethod = getattr(self, method_name)
1402
if not self._bzr_test_setUp_run:
1404
"test setUp did not invoke "
1405
"bzrlib.tests.TestCase's setUp")
1406
except KeyboardInterrupt:
1409
except TestSkipped, e:
1410
self._do_skip(result, e.args[0])
1414
result.addError(self, sys.exc_info())
1422
except self.failureException:
1423
result.addFailure(self, sys.exc_info())
1424
except TestSkipped, e:
1426
reason = "No reason given."
1429
self._do_skip(result, reason)
1430
except KeyboardInterrupt:
1434
result.addError(self, sys.exc_info())
1438
if not self._bzr_test_tearDown_run:
1440
"test tearDown did not invoke "
1441
"bzrlib.tests.TestCase's tearDown")
1442
except KeyboardInterrupt:
1446
result.addError(self, sys.exc_info())
1449
if ok: result.addSuccess(self)
1451
result.stopTest(self)
1453
except TestNotApplicable:
1454
# Not moved from the result [yet].
1457
except KeyboardInterrupt:
1462
for attr_name in self.attrs_to_keep:
1463
if attr_name in self.__dict__:
1464
saved_attrs[attr_name] = self.__dict__[attr_name]
1465
self.__dict__ = saved_attrs
1469
self._log_contents = ''
1470
self._bzr_test_tearDown_run = True
1471
unittest.TestCase.tearDown(self)
1653
1473
def time(self, callable, *args, **kwargs):
1654
1474
"""Run callable and accrue the time it takes to the benchmark time.
3355
3084
def addSuccess(self, test):
3356
3085
self.result.addSuccess(test)
3358
def addError(self, test, err):
3359
self.result.addError(test, err)
3361
def addFailure(self, test, err):
3362
self.result.addFailure(test, err)
3363
ForwardingResult = testtools.ExtendedToOriginalDecorator
3366
class ProfileResult(ForwardingResult):
3367
"""Generate profiling data for all activity between start and success.
3369
The profile data is appended to the test's _benchcalls attribute and can
3370
be accessed by the forwarded-to TestResult.
3372
While it might be cleaner do accumulate this in stopTest, addSuccess is
3373
where our existing output support for lsprof is, and this class aims to
3374
fit in with that: while it could be moved it's not necessary to accomplish
3375
test profiling, nor would it be dramatically cleaner.
3378
def startTest(self, test):
3379
self.profiler = bzrlib.lsprof.BzrProfiler()
3380
# Prevent deadlocks in tests that use lsprof: those tests will
3382
bzrlib.lsprof.BzrProfiler.profiler_block = 0
3383
self.profiler.start()
3384
ForwardingResult.startTest(self, test)
3386
def addSuccess(self, test):
3387
stats = self.profiler.stop()
3389
calls = test._benchcalls
3390
except AttributeError:
3391
test._benchcalls = []
3392
calls = test._benchcalls
3393
calls.append(((test.id(), "", ""), stats))
3394
ForwardingResult.addSuccess(self, test)
3396
def stopTest(self, test):
3397
ForwardingResult.stopTest(self, test)
3398
self.profiler = None
3087
def _error_looks_like(self, prefix, err):
3088
"""Deserialize exception and returns the stringify value."""
3092
if isinstance(exc, subunit.RemoteException):
3093
# stringify the exception gives access to the remote traceback
3094
# We search the last line for 'prefix'
3095
lines = str(exc).split('\n')
3096
while lines and not lines[-1]:
3099
if lines[-1].startswith(prefix):
3100
value = lines[-1][len(prefix):]
3401
3104
# Controlled by "bzr selftest -E=..." option
3402
# Currently supported:
3403
# -Eallow_debug Will no longer clear debug.debug_flags() so it
3404
# preserves any flags supplied at the command line.
3405
# -Edisable_lock_checks Turns errors in mismatched locks into simple prints
3406
# rather than failing tests. And no longer raise
3407
# LockContention when fctnl locks are not being used
3408
# with proper exclusion rules.
3409
# -Ethreads Will display thread ident at creation/join time to
3410
# help track thread leaks
3411
3105
selftest_debug_flags = set()
3640
3319
test_prefix_alias_registry.register('bp', 'bzrlib.plugins')
3643
def _test_suite_testmod_names():
3644
"""Return the standard list of test module names to test."""
3647
'bzrlib.tests.blackbox',
3648
'bzrlib.tests.commands',
3649
'bzrlib.tests.doc_generate',
3650
'bzrlib.tests.per_branch',
3651
'bzrlib.tests.per_bzrdir',
3652
'bzrlib.tests.per_controldir',
3653
'bzrlib.tests.per_controldir_colo',
3654
'bzrlib.tests.per_foreign_vcs',
3655
'bzrlib.tests.per_interrepository',
3656
'bzrlib.tests.per_intertree',
3657
'bzrlib.tests.per_inventory',
3658
'bzrlib.tests.per_interbranch',
3659
'bzrlib.tests.per_lock',
3660
'bzrlib.tests.per_merger',
3661
'bzrlib.tests.per_transport',
3662
'bzrlib.tests.per_tree',
3663
'bzrlib.tests.per_pack_repository',
3664
'bzrlib.tests.per_repository',
3665
'bzrlib.tests.per_repository_chk',
3666
'bzrlib.tests.per_repository_reference',
3667
'bzrlib.tests.per_uifactory',
3668
'bzrlib.tests.per_versionedfile',
3669
'bzrlib.tests.per_workingtree',
3670
'bzrlib.tests.test__annotator',
3671
'bzrlib.tests.test__bencode',
3672
'bzrlib.tests.test__btree_serializer',
3673
'bzrlib.tests.test__chk_map',
3674
'bzrlib.tests.test__dirstate_helpers',
3675
'bzrlib.tests.test__groupcompress',
3676
'bzrlib.tests.test__known_graph',
3677
'bzrlib.tests.test__rio',
3678
'bzrlib.tests.test__simple_set',
3679
'bzrlib.tests.test__static_tuple',
3680
'bzrlib.tests.test__walkdirs_win32',
3681
'bzrlib.tests.test_ancestry',
3682
'bzrlib.tests.test_annotate',
3683
'bzrlib.tests.test_api',
3684
'bzrlib.tests.test_atomicfile',
3685
'bzrlib.tests.test_bad_files',
3686
'bzrlib.tests.test_bisect_multi',
3687
'bzrlib.tests.test_branch',
3688
'bzrlib.tests.test_branchbuilder',
3689
'bzrlib.tests.test_btree_index',
3690
'bzrlib.tests.test_bugtracker',
3691
'bzrlib.tests.test_bundle',
3692
'bzrlib.tests.test_bzrdir',
3693
'bzrlib.tests.test__chunks_to_lines',
3694
'bzrlib.tests.test_cache_utf8',
3695
'bzrlib.tests.test_chk_map',
3696
'bzrlib.tests.test_chk_serializer',
3697
'bzrlib.tests.test_chunk_writer',
3698
'bzrlib.tests.test_clean_tree',
3699
'bzrlib.tests.test_cleanup',
3700
'bzrlib.tests.test_cmdline',
3701
'bzrlib.tests.test_commands',
3702
'bzrlib.tests.test_commit',
3703
'bzrlib.tests.test_commit_merge',
3704
'bzrlib.tests.test_config',
3705
'bzrlib.tests.test_conflicts',
3706
'bzrlib.tests.test_counted_lock',
3707
'bzrlib.tests.test_crash',
3708
'bzrlib.tests.test_decorators',
3709
'bzrlib.tests.test_delta',
3710
'bzrlib.tests.test_debug',
3711
'bzrlib.tests.test_deprecated_graph',
3712
'bzrlib.tests.test_diff',
3713
'bzrlib.tests.test_directory_service',
3714
'bzrlib.tests.test_dirstate',
3715
'bzrlib.tests.test_email_message',
3716
'bzrlib.tests.test_eol_filters',
3717
'bzrlib.tests.test_errors',
3718
'bzrlib.tests.test_export',
3719
'bzrlib.tests.test_extract',
3720
'bzrlib.tests.test_fetch',
3721
'bzrlib.tests.test_fixtures',
3722
'bzrlib.tests.test_fifo_cache',
3723
'bzrlib.tests.test_filters',
3724
'bzrlib.tests.test_ftp_transport',
3725
'bzrlib.tests.test_foreign',
3726
'bzrlib.tests.test_generate_docs',
3727
'bzrlib.tests.test_generate_ids',
3728
'bzrlib.tests.test_globbing',
3729
'bzrlib.tests.test_gpg',
3730
'bzrlib.tests.test_graph',
3731
'bzrlib.tests.test_groupcompress',
3732
'bzrlib.tests.test_hashcache',
3733
'bzrlib.tests.test_help',
3734
'bzrlib.tests.test_hooks',
3735
'bzrlib.tests.test_http',
3736
'bzrlib.tests.test_http_response',
3737
'bzrlib.tests.test_https_ca_bundle',
3738
'bzrlib.tests.test_identitymap',
3739
'bzrlib.tests.test_ignores',
3740
'bzrlib.tests.test_index',
3741
'bzrlib.tests.test_import_tariff',
3742
'bzrlib.tests.test_info',
3743
'bzrlib.tests.test_inv',
3744
'bzrlib.tests.test_inventory_delta',
3745
'bzrlib.tests.test_knit',
3746
'bzrlib.tests.test_lazy_import',
3747
'bzrlib.tests.test_lazy_regex',
3748
'bzrlib.tests.test_library_state',
3749
'bzrlib.tests.test_lock',
3750
'bzrlib.tests.test_lockable_files',
3751
'bzrlib.tests.test_lockdir',
3752
'bzrlib.tests.test_log',
3753
'bzrlib.tests.test_lru_cache',
3754
'bzrlib.tests.test_lsprof',
3755
'bzrlib.tests.test_mail_client',
3756
'bzrlib.tests.test_matchers',
3757
'bzrlib.tests.test_memorytree',
3758
'bzrlib.tests.test_merge',
3759
'bzrlib.tests.test_merge3',
3760
'bzrlib.tests.test_merge_core',
3761
'bzrlib.tests.test_merge_directive',
3762
'bzrlib.tests.test_missing',
3763
'bzrlib.tests.test_msgeditor',
3764
'bzrlib.tests.test_multiparent',
3765
'bzrlib.tests.test_mutabletree',
3766
'bzrlib.tests.test_nonascii',
3767
'bzrlib.tests.test_options',
3768
'bzrlib.tests.test_osutils',
3769
'bzrlib.tests.test_osutils_encodings',
3770
'bzrlib.tests.test_pack',
3771
'bzrlib.tests.test_patch',
3772
'bzrlib.tests.test_patches',
3773
'bzrlib.tests.test_permissions',
3774
'bzrlib.tests.test_plugins',
3775
'bzrlib.tests.test_progress',
3776
'bzrlib.tests.test_read_bundle',
3777
'bzrlib.tests.test_reconcile',
3778
'bzrlib.tests.test_reconfigure',
3779
'bzrlib.tests.test_registry',
3780
'bzrlib.tests.test_remote',
3781
'bzrlib.tests.test_rename_map',
3782
'bzrlib.tests.test_repository',
3783
'bzrlib.tests.test_revert',
3784
'bzrlib.tests.test_revision',
3785
'bzrlib.tests.test_revisionspec',
3786
'bzrlib.tests.test_revisiontree',
3787
'bzrlib.tests.test_rio',
3788
'bzrlib.tests.test_rules',
3789
'bzrlib.tests.test_sampler',
3790
'bzrlib.tests.test_script',
3791
'bzrlib.tests.test_selftest',
3792
'bzrlib.tests.test_serializer',
3793
'bzrlib.tests.test_setup',
3794
'bzrlib.tests.test_sftp_transport',
3795
'bzrlib.tests.test_shelf',
3796
'bzrlib.tests.test_shelf_ui',
3797
'bzrlib.tests.test_smart',
3798
'bzrlib.tests.test_smart_add',
3799
'bzrlib.tests.test_smart_request',
3800
'bzrlib.tests.test_smart_transport',
3801
'bzrlib.tests.test_smtp_connection',
3802
'bzrlib.tests.test_source',
3803
'bzrlib.tests.test_ssh_transport',
3804
'bzrlib.tests.test_status',
3805
'bzrlib.tests.test_store',
3806
'bzrlib.tests.test_strace',
3807
'bzrlib.tests.test_subsume',
3808
'bzrlib.tests.test_switch',
3809
'bzrlib.tests.test_symbol_versioning',
3810
'bzrlib.tests.test_tag',
3811
'bzrlib.tests.test_test_server',
3812
'bzrlib.tests.test_testament',
3813
'bzrlib.tests.test_textfile',
3814
'bzrlib.tests.test_textmerge',
3815
'bzrlib.tests.test_timestamp',
3816
'bzrlib.tests.test_trace',
3817
'bzrlib.tests.test_transactions',
3818
'bzrlib.tests.test_transform',
3819
'bzrlib.tests.test_transport',
3820
'bzrlib.tests.test_transport_log',
3821
'bzrlib.tests.test_tree',
3822
'bzrlib.tests.test_treebuilder',
3823
'bzrlib.tests.test_treeshape',
3824
'bzrlib.tests.test_tsort',
3825
'bzrlib.tests.test_tuned_gzip',
3826
'bzrlib.tests.test_ui',
3827
'bzrlib.tests.test_uncommit',
3828
'bzrlib.tests.test_upgrade',
3829
'bzrlib.tests.test_upgrade_stacked',
3830
'bzrlib.tests.test_urlutils',
3831
'bzrlib.tests.test_version',
3832
'bzrlib.tests.test_version_info',
3833
'bzrlib.tests.test_versionedfile',
3834
'bzrlib.tests.test_weave',
3835
'bzrlib.tests.test_whitebox',
3836
'bzrlib.tests.test_win32utils',
3837
'bzrlib.tests.test_workingtree',
3838
'bzrlib.tests.test_workingtree_4',
3839
'bzrlib.tests.test_wsgi',
3840
'bzrlib.tests.test_xml',
3844
def _test_suite_modules_to_doctest():
3845
"""Return the list of modules to doctest."""
3847
# GZ 2009-03-31: No docstrings with -OO so there's nothing to doctest
3851
'bzrlib.branchbuilder',
3852
'bzrlib.decorators',
3855
'bzrlib.iterablefile',
3859
'bzrlib.symbol_versioning',
3861
'bzrlib.tests.fixtures',
3863
'bzrlib.version_info_formats.format_custom',
3867
3322
def test_suite(keep_only=None, starting_with=None):
3868
3323
"""Build and return TestSuite for the whole of bzrlib.
3875
3330
This function can be replaced if you need to change the default test
3876
3331
suite on a global basis, but it is not encouraged.
3335
'bzrlib.tests.blackbox',
3336
'bzrlib.tests.branch_implementations',
3337
'bzrlib.tests.bzrdir_implementations',
3338
'bzrlib.tests.commands',
3339
'bzrlib.tests.interrepository_implementations',
3340
'bzrlib.tests.intertree_implementations',
3341
'bzrlib.tests.inventory_implementations',
3342
'bzrlib.tests.per_interbranch',
3343
'bzrlib.tests.per_lock',
3344
'bzrlib.tests.per_repository',
3345
'bzrlib.tests.per_repository_chk',
3346
'bzrlib.tests.per_repository_reference',
3347
'bzrlib.tests.test__chk_map',
3348
'bzrlib.tests.test__dirstate_helpers',
3349
'bzrlib.tests.test__groupcompress',
3350
'bzrlib.tests.test__known_graph',
3351
'bzrlib.tests.test__rio',
3352
'bzrlib.tests.test__walkdirs_win32',
3353
'bzrlib.tests.test_ancestry',
3354
'bzrlib.tests.test_annotate',
3355
'bzrlib.tests.test_api',
3356
'bzrlib.tests.test_atomicfile',
3357
'bzrlib.tests.test_bad_files',
3358
'bzrlib.tests.test_bencode',
3359
'bzrlib.tests.test_bisect_multi',
3360
'bzrlib.tests.test_branch',
3361
'bzrlib.tests.test_branchbuilder',
3362
'bzrlib.tests.test_btree_index',
3363
'bzrlib.tests.test_bugtracker',
3364
'bzrlib.tests.test_bundle',
3365
'bzrlib.tests.test_bzrdir',
3366
'bzrlib.tests.test__chunks_to_lines',
3367
'bzrlib.tests.test_cache_utf8',
3368
'bzrlib.tests.test_chk_map',
3369
'bzrlib.tests.test_chk_serializer',
3370
'bzrlib.tests.test_chunk_writer',
3371
'bzrlib.tests.test_clean_tree',
3372
'bzrlib.tests.test_commands',
3373
'bzrlib.tests.test_commit',
3374
'bzrlib.tests.test_commit_merge',
3375
'bzrlib.tests.test_config',
3376
'bzrlib.tests.test_conflicts',
3377
'bzrlib.tests.test_counted_lock',
3378
'bzrlib.tests.test_decorators',
3379
'bzrlib.tests.test_delta',
3380
'bzrlib.tests.test_debug',
3381
'bzrlib.tests.test_deprecated_graph',
3382
'bzrlib.tests.test_diff',
3383
'bzrlib.tests.test_directory_service',
3384
'bzrlib.tests.test_dirstate',
3385
'bzrlib.tests.test_email_message',
3386
'bzrlib.tests.test_eol_filters',
3387
'bzrlib.tests.test_errors',
3388
'bzrlib.tests.test_export',
3389
'bzrlib.tests.test_extract',
3390
'bzrlib.tests.test_fetch',
3391
'bzrlib.tests.test_fifo_cache',
3392
'bzrlib.tests.test_filters',
3393
'bzrlib.tests.test_ftp_transport',
3394
'bzrlib.tests.test_foreign',
3395
'bzrlib.tests.test_generate_docs',
3396
'bzrlib.tests.test_generate_ids',
3397
'bzrlib.tests.test_globbing',
3398
'bzrlib.tests.test_gpg',
3399
'bzrlib.tests.test_graph',
3400
'bzrlib.tests.test_groupcompress',
3401
'bzrlib.tests.test_hashcache',
3402
'bzrlib.tests.test_help',
3403
'bzrlib.tests.test_hooks',
3404
'bzrlib.tests.test_http',
3405
'bzrlib.tests.test_http_response',
3406
'bzrlib.tests.test_https_ca_bundle',
3407
'bzrlib.tests.test_identitymap',
3408
'bzrlib.tests.test_ignores',
3409
'bzrlib.tests.test_index',
3410
'bzrlib.tests.test_info',
3411
'bzrlib.tests.test_inv',
3412
'bzrlib.tests.test_inventory_delta',
3413
'bzrlib.tests.test_knit',
3414
'bzrlib.tests.test_lazy_import',
3415
'bzrlib.tests.test_lazy_regex',
3416
'bzrlib.tests.test_lockable_files',
3417
'bzrlib.tests.test_lockdir',
3418
'bzrlib.tests.test_log',
3419
'bzrlib.tests.test_lru_cache',
3420
'bzrlib.tests.test_lsprof',
3421
'bzrlib.tests.test_mail_client',
3422
'bzrlib.tests.test_memorytree',
3423
'bzrlib.tests.test_merge',
3424
'bzrlib.tests.test_merge3',
3425
'bzrlib.tests.test_merge_core',
3426
'bzrlib.tests.test_merge_directive',
3427
'bzrlib.tests.test_missing',
3428
'bzrlib.tests.test_msgeditor',
3429
'bzrlib.tests.test_multiparent',
3430
'bzrlib.tests.test_mutabletree',
3431
'bzrlib.tests.test_nonascii',
3432
'bzrlib.tests.test_options',
3433
'bzrlib.tests.test_osutils',
3434
'bzrlib.tests.test_osutils_encodings',
3435
'bzrlib.tests.test_pack',
3436
'bzrlib.tests.test_pack_repository',
3437
'bzrlib.tests.test_patch',
3438
'bzrlib.tests.test_patches',
3439
'bzrlib.tests.test_permissions',
3440
'bzrlib.tests.test_plugins',
3441
'bzrlib.tests.test_progress',
3442
'bzrlib.tests.test_read_bundle',
3443
'bzrlib.tests.test_reconcile',
3444
'bzrlib.tests.test_reconfigure',
3445
'bzrlib.tests.test_registry',
3446
'bzrlib.tests.test_remote',
3447
'bzrlib.tests.test_rename_map',
3448
'bzrlib.tests.test_repository',
3449
'bzrlib.tests.test_revert',
3450
'bzrlib.tests.test_revision',
3451
'bzrlib.tests.test_revisionspec',
3452
'bzrlib.tests.test_revisiontree',
3453
'bzrlib.tests.test_rio',
3454
'bzrlib.tests.test_rules',
3455
'bzrlib.tests.test_sampler',
3456
'bzrlib.tests.test_selftest',
3457
'bzrlib.tests.test_serializer',
3458
'bzrlib.tests.test_setup',
3459
'bzrlib.tests.test_sftp_transport',
3460
'bzrlib.tests.test_shelf',
3461
'bzrlib.tests.test_shelf_ui',
3462
'bzrlib.tests.test_smart',
3463
'bzrlib.tests.test_smart_add',
3464
'bzrlib.tests.test_smart_request',
3465
'bzrlib.tests.test_smart_transport',
3466
'bzrlib.tests.test_smtp_connection',
3467
'bzrlib.tests.test_source',
3468
'bzrlib.tests.test_ssh_transport',
3469
'bzrlib.tests.test_status',
3470
'bzrlib.tests.test_store',
3471
'bzrlib.tests.test_strace',
3472
'bzrlib.tests.test_subsume',
3473
'bzrlib.tests.test_switch',
3474
'bzrlib.tests.test_symbol_versioning',
3475
'bzrlib.tests.test_tag',
3476
'bzrlib.tests.test_testament',
3477
'bzrlib.tests.test_textfile',
3478
'bzrlib.tests.test_textmerge',
3479
'bzrlib.tests.test_timestamp',
3480
'bzrlib.tests.test_trace',
3481
'bzrlib.tests.test_transactions',
3482
'bzrlib.tests.test_transform',
3483
'bzrlib.tests.test_transport',
3484
'bzrlib.tests.test_transport_implementations',
3485
'bzrlib.tests.test_transport_log',
3486
'bzrlib.tests.test_tree',
3487
'bzrlib.tests.test_treebuilder',
3488
'bzrlib.tests.test_tsort',
3489
'bzrlib.tests.test_tuned_gzip',
3490
'bzrlib.tests.test_ui',
3491
'bzrlib.tests.test_uncommit',
3492
'bzrlib.tests.test_upgrade',
3493
'bzrlib.tests.test_upgrade_stacked',
3494
'bzrlib.tests.test_urlutils',
3495
'bzrlib.tests.test_version',
3496
'bzrlib.tests.test_version_info',
3497
'bzrlib.tests.test_versionedfile',
3498
'bzrlib.tests.test_weave',
3499
'bzrlib.tests.test_whitebox',
3500
'bzrlib.tests.test_win32utils',
3501
'bzrlib.tests.test_workingtree',
3502
'bzrlib.tests.test_workingtree_4',
3503
'bzrlib.tests.test_wsgi',
3504
'bzrlib.tests.test_xml',
3505
'bzrlib.tests.tree_implementations',
3506
'bzrlib.tests.workingtree_implementations',
3879
3509
loader = TestUtil.TestLoader()
3881
if keep_only is not None:
3882
id_filter = TestIdList(keep_only)
3883
3511
if starting_with:
3512
starting_with = [test_prefix_alias_registry.resolve_alias(start)
3513
for start in starting_with]
3884
3514
# We take precedence over keep_only because *at loading time* using
3885
3515
# both options means we will load less tests for the same final result.
3886
3516
def interesting_module(name):
4058
3707
:param new_id: The id to assign to it.
4059
3708
:return: The new test.
4061
new_test = copy.copy(test)
3710
from copy import deepcopy
3711
new_test = deepcopy(test)
4062
3712
new_test.id = lambda: new_id
4063
# XXX: Workaround <https://bugs.launchpad.net/testtools/+bug/637725>, which
4064
# causes cloned tests to share the 'details' dict. This makes it hard to
4065
# read the test output for parameterized tests, because tracebacks will be
4066
# associated with irrelevant tests.
4068
details = new_test._TestCase__details
4069
except AttributeError:
4070
# must be a different version of testtools than expected. Do nothing.
4073
# Reset the '__details' dict.
4074
new_test._TestCase__details = {}
4075
3713
return new_test
4078
def permute_tests_for_extension(standard_tests, loader, py_module_name,
4080
"""Helper for permutating tests against an extension module.
4082
This is meant to be used inside a modules 'load_tests()' function. It will
4083
create 2 scenarios, and cause all tests in the 'standard_tests' to be run
4084
against both implementations. Setting 'test.module' to the appropriate
4085
module. See bzrlib.tests.test__chk_map.load_tests as an example.
4087
:param standard_tests: A test suite to permute
4088
:param loader: A TestLoader
4089
:param py_module_name: The python path to a python module that can always
4090
be loaded, and will be considered the 'python' implementation. (eg
4091
'bzrlib._chk_map_py')
4092
:param ext_module_name: The python path to an extension module. If the
4093
module cannot be loaded, a single test will be added, which notes that
4094
the module is not available. If it can be loaded, all standard_tests
4095
will be run against that module.
4096
:return: (suite, feature) suite is a test-suite that has all the permuted
4097
tests. feature is the Feature object that can be used to determine if
4098
the module is available.
4101
py_module = __import__(py_module_name, {}, {}, ['NO_SUCH_ATTRIB'])
4103
('python', {'module': py_module}),
4105
suite = loader.suiteClass()
4106
feature = ModuleAvailableFeature(ext_module_name)
4107
if feature.available():
4108
scenarios.append(('C', {'module': feature.module}))
4110
# the compiled module isn't available, so we add a failing test
4111
class FailWithoutFeature(TestCase):
4112
def test_fail(self):
4113
self.requireFeature(feature)
4114
suite.addTest(loader.loadTestsFromTestCase(FailWithoutFeature))
4115
result = multiply_tests(standard_tests, scenarios, suite)
4116
return result, feature
4119
def _rmtree_temp_dir(dirname, test_id=None):
3716
def _rmtree_temp_dir(dirname):
4120
3717
# If LANG=C we probably have created some bogus paths
4121
3718
# which rmtree(unicode) will fail to delete
4122
3719
# so make sure we are using rmtree(str) to delete everything
4229
3822
UnicodeFilenameFeature = _UnicodeFilenameFeature()
4232
class _CompatabilityThunkFeature(Feature):
4233
"""This feature is just a thunk to another feature.
4235
It issues a deprecation warning if it is accessed, to let you know that you
4236
should really use a different feature.
4239
def __init__(self, dep_version, module, name,
4240
replacement_name, replacement_module=None):
4241
super(_CompatabilityThunkFeature, self).__init__()
4242
self._module = module
4243
if replacement_module is None:
4244
replacement_module = module
4245
self._replacement_module = replacement_module
4247
self._replacement_name = replacement_name
4248
self._dep_version = dep_version
4249
self._feature = None
4252
if self._feature is None:
4253
depr_msg = self._dep_version % ('%s.%s'
4254
% (self._module, self._name))
4255
use_msg = ' Use %s.%s instead.' % (self._replacement_module,
4256
self._replacement_name)
4257
symbol_versioning.warn(depr_msg + use_msg, DeprecationWarning)
4258
# Import the new feature and use it as a replacement for the
4260
mod = __import__(self._replacement_module, {}, {},
4261
[self._replacement_name])
4262
self._feature = getattr(mod, self._replacement_name)
4266
return self._feature._probe()
4269
class ModuleAvailableFeature(Feature):
4270
"""This is a feature than describes a module we want to be available.
4272
Declare the name of the module in __init__(), and then after probing, the
4273
module will be available as 'self.module'.
4275
:ivar module: The module if it is available, else None.
4278
def __init__(self, module_name):
4279
super(ModuleAvailableFeature, self).__init__()
4280
self.module_name = module_name
4284
self._module = __import__(self.module_name, {}, {}, [''])
4291
if self.available(): # Make sure the probe has been done
4295
def feature_name(self):
4296
return self.module_name
4299
# This is kept here for compatibility, it is recommended to use
4300
# 'bzrlib.tests.feature.paramiko' instead
4301
ParamikoFeature = _CompatabilityThunkFeature(
4302
deprecated_in((2,1,0)),
4303
'bzrlib.tests.features', 'ParamikoFeature', 'paramiko')
4306
3825
def probe_unicode_in_user_encoding():
4307
3826
"""Try to encode several unicode strings to use in unicode-aware tests.
4308
3827
Return first successfull match.