~bzr-pqm/bzr/bzr.dev

« back to all changes in this revision

Viewing changes to bzrlib/tests/__init__.py

  • Committer: John Arbash Meinel
  • Date: 2009-03-06 20:42:40 UTC
  • mto: This revision was merged to the branch mainline in revision 4088.
  • Revision ID: john@arbash-meinel.com-20090306204240-mzjavv31z3gu1x7i
Fix a small bug in setup.py when an extension fails to build

Show diffs side-by-side

added added

removed removed

Lines of Context:
1
 
# Copyright (C) 2005, 2006, 2007, 2008, 2009, 2010 Canonical Ltd
 
1
# Copyright (C) 2005, 2006, 2007, 2008, 2009 Canonical Ltd
2
2
#
3
3
# This program is free software; you can redistribute it and/or modify
4
4
# it under the terms of the GNU General Public License as published by
12
12
#
13
13
# You should have received a copy of the GNU General Public License
14
14
# along with this program; if not, write to the Free Software
15
 
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
 
15
# Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA  02111-1307  USA
16
16
 
17
17
 
18
18
# TODO: Perhaps there should be an API to find out if bzr running under the
28
28
 
29
29
import atexit
30
30
import codecs
31
 
from copy import copy
32
31
from cStringIO import StringIO
33
32
import difflib
34
33
import doctest
35
34
import errno
36
35
import logging
37
 
import math
38
36
import os
39
37
from pprint import pformat
40
38
import random
41
39
import re
42
40
import shlex
43
41
import stat
44
 
from subprocess import Popen, PIPE, STDOUT
 
42
from subprocess import Popen, PIPE
45
43
import sys
46
44
import tempfile
47
45
import threading
48
46
import time
49
 
import traceback
50
47
import unittest
51
48
import warnings
52
49
 
53
 
import testtools
54
 
# nb: check this before importing anything else from within it
55
 
_testtools_version = getattr(testtools, '__version__', ())
56
 
if _testtools_version < (0, 9, 2):
57
 
    raise ImportError("need at least testtools 0.9.2: %s is %r"
58
 
        % (testtools.__file__, _testtools_version))
59
 
from testtools import content
60
50
 
61
51
from bzrlib import (
62
52
    branchbuilder,
63
53
    bzrdir,
64
 
    chk_map,
65
 
    config,
66
54
    debug,
67
55
    errors,
68
 
    hooks,
69
 
    lock as _mod_lock,
70
56
    memorytree,
71
57
    osutils,
72
58
    progress,
90
76
from bzrlib.merge import merge_inner
91
77
import bzrlib.merge3
92
78
import bzrlib.plugin
93
 
from bzrlib.smart import client, request, server
 
79
from bzrlib.smart import client, server
94
80
import bzrlib.store
95
81
from bzrlib import symbol_versioning
96
82
from bzrlib.symbol_versioning import (
97
83
    DEPRECATED_PARAMETER,
98
84
    deprecated_function,
99
 
    deprecated_in,
100
85
    deprecated_method,
101
86
    deprecated_passed,
102
87
    )
103
88
import bzrlib.trace
104
 
from bzrlib.transport import get_transport, pathfilter
 
89
from bzrlib.transport import get_transport
105
90
import bzrlib.transport
106
91
from bzrlib.transport.local import LocalURLServer
107
92
from bzrlib.transport.memory import MemoryServer
114
99
                          TestLoader,
115
100
                          )
116
101
from bzrlib.tests.treeshape import build_tree_contents
117
 
from bzrlib.ui import NullProgressView
118
 
from bzrlib.ui.text import TextUIFactory
119
102
import bzrlib.version_info_formats.format_custom
120
103
from bzrlib.workingtree import WorkingTree, WorkingTreeFormat2
121
104
 
127
110
default_transport = LocalURLServer
128
111
 
129
112
 
130
 
_unitialized_attr = object()
131
 
"""A sentinel needed to act as a default value in a method signature."""
132
 
 
133
 
 
134
 
# Subunit result codes, defined here to prevent a hard dependency on subunit.
135
 
SUBUNIT_SEEK_SET = 0
136
 
SUBUNIT_SEEK_CUR = 1
137
 
 
138
 
 
139
113
class ExtendedTestResult(unittest._TextTestResult):
140
114
    """Accepts, reports and accumulates the results of running tests.
141
115
 
156
130
 
157
131
    def __init__(self, stream, descriptions, verbosity,
158
132
                 bench_history=None,
159
 
                 strict=False,
 
133
                 num_tests=None,
160
134
                 ):
161
135
        """Construct new TestResult.
162
136
 
180
154
            bench_history.write("--date %s %s\n" % (time.time(), revision_id))
181
155
        self._bench_history = bench_history
182
156
        self.ui = ui.ui_factory
183
 
        self.num_tests = 0
 
157
        self.num_tests = num_tests
184
158
        self.error_count = 0
185
159
        self.failure_count = 0
186
160
        self.known_failure_count = 0
189
163
        self.unsupported = {}
190
164
        self.count = 0
191
165
        self._overall_start_time = time.time()
192
 
        self._strict = strict
193
 
 
194
 
    def stopTestRun(self):
195
 
        run = self.testsRun
196
 
        actionTaken = "Ran"
197
 
        stopTime = time.time()
198
 
        timeTaken = stopTime - self.startTime
199
 
        self.printErrors()
200
 
        self.stream.writeln(self.separator2)
201
 
        self.stream.writeln("%s %d test%s in %.3fs" % (actionTaken,
202
 
                            run, run != 1 and "s" or "", timeTaken))
203
 
        self.stream.writeln()
204
 
        if not self.wasSuccessful():
205
 
            self.stream.write("FAILED (")
206
 
            failed, errored = map(len, (self.failures, self.errors))
207
 
            if failed:
208
 
                self.stream.write("failures=%d" % failed)
209
 
            if errored:
210
 
                if failed: self.stream.write(", ")
211
 
                self.stream.write("errors=%d" % errored)
212
 
            if self.known_failure_count:
213
 
                if failed or errored: self.stream.write(", ")
214
 
                self.stream.write("known_failure_count=%d" %
215
 
                    self.known_failure_count)
216
 
            self.stream.writeln(")")
217
 
        else:
218
 
            if self.known_failure_count:
219
 
                self.stream.writeln("OK (known_failures=%d)" %
220
 
                    self.known_failure_count)
221
 
            else:
222
 
                self.stream.writeln("OK")
223
 
        if self.skip_count > 0:
224
 
            skipped = self.skip_count
225
 
            self.stream.writeln('%d test%s skipped' %
226
 
                                (skipped, skipped != 1 and "s" or ""))
227
 
        if self.unsupported:
228
 
            for feature, count in sorted(self.unsupported.items()):
229
 
                self.stream.writeln("Missing feature '%s' skipped %d tests." %
230
 
                    (feature, count))
231
 
        if self._strict:
232
 
            ok = self.wasStrictlySuccessful()
233
 
        else:
234
 
            ok = self.wasSuccessful()
235
 
        if TestCase._first_thread_leaker_id:
236
 
            self.stream.write(
237
 
                '%s is leaking threads among %d leaking tests.\n' % (
238
 
                TestCase._first_thread_leaker_id,
239
 
                TestCase._leaking_threads_tests))
240
 
            # We don't report the main thread as an active one.
241
 
            self.stream.write(
242
 
                '%d non-main threads were left active in the end.\n'
243
 
                % (TestCase._active_threads - 1))
244
 
 
245
 
    def getDescription(self, test):
246
 
        return test.id()
247
 
 
248
 
    def _extractBenchmarkTime(self, testCase, details=None):
 
166
 
 
167
    def _extractBenchmarkTime(self, testCase):
249
168
        """Add a benchmark time for the current test case."""
250
 
        if details and 'benchtime' in details:
251
 
            return float(''.join(details['benchtime'].iter_bytes()))
252
169
        return getattr(testCase, "_benchtime", None)
253
170
 
254
171
    def _elapsedTestTimeString(self):
258
175
    def _testTimeString(self, testCase):
259
176
        benchmark_time = self._extractBenchmarkTime(testCase)
260
177
        if benchmark_time is not None:
261
 
            return self._formatTime(benchmark_time) + "*"
 
178
            return "%s/%s" % (
 
179
                self._formatTime(benchmark_time),
 
180
                self._elapsedTestTimeString())
262
181
        else:
263
 
            return self._elapsedTestTimeString()
 
182
            return "           %s" % self._elapsedTestTimeString()
264
183
 
265
184
    def _formatTime(self, seconds):
266
185
        """Format seconds as milliseconds with leading spaces."""
275
194
 
276
195
    def startTest(self, test):
277
196
        unittest.TestResult.startTest(self, test)
278
 
        if self.count == 0:
279
 
            self.startTests()
280
197
        self.report_test_start(test)
281
198
        test.number = self.count
282
199
        self._recordTestStartTime()
283
200
 
284
 
    def startTests(self):
285
 
        import platform
286
 
        if getattr(sys, 'frozen', None) is None:
287
 
            bzr_path = osutils.realpath(sys.argv[0])
288
 
        else:
289
 
            bzr_path = sys.executable
290
 
        self.stream.write(
291
 
            'bzr selftest: %s\n' % (bzr_path,))
292
 
        self.stream.write(
293
 
            '   %s\n' % (
294
 
                    bzrlib.__path__[0],))
295
 
        self.stream.write(
296
 
            '   bzr-%s python-%s %s\n' % (
297
 
                    bzrlib.version_string,
298
 
                    bzrlib._format_version_tuple(sys.version_info),
299
 
                    platform.platform(aliased=1),
300
 
                    ))
301
 
        self.stream.write('\n')
302
 
 
303
201
    def _recordTestStartTime(self):
304
202
        """Record that a test has started."""
305
203
        self._start_time = time.time()
317
215
        Called from the TestCase run() method when the test
318
216
        fails with an unexpected error.
319
217
        """
320
 
        self._post_mortem()
321
 
        unittest.TestResult.addError(self, test, err)
322
 
        self.error_count += 1
323
 
        self.report_error(test, err)
324
 
        if self.stop_early:
325
 
            self.stop()
326
 
        self._cleanupLogFile(test)
 
218
        self._testConcluded(test)
 
219
        if isinstance(err[1], TestNotApplicable):
 
220
            return self._addNotApplicable(test, err)
 
221
        elif isinstance(err[1], UnavailableFeature):
 
222
            return self.addNotSupported(test, err[1].args[0])
 
223
        else:
 
224
            unittest.TestResult.addError(self, test, err)
 
225
            self.error_count += 1
 
226
            self.report_error(test, err)
 
227
            if self.stop_early:
 
228
                self.stop()
 
229
            self._cleanupLogFile(test)
327
230
 
328
231
    def addFailure(self, test, err):
329
232
        """Tell result that test failed.
331
234
        Called from the TestCase run() method when the test
332
235
        fails because e.g. an assert() method failed.
333
236
        """
334
 
        self._post_mortem()
335
 
        unittest.TestResult.addFailure(self, test, err)
336
 
        self.failure_count += 1
337
 
        self.report_failure(test, err)
338
 
        if self.stop_early:
339
 
            self.stop()
340
 
        self._cleanupLogFile(test)
 
237
        self._testConcluded(test)
 
238
        if isinstance(err[1], KnownFailure):
 
239
            return self._addKnownFailure(test, err)
 
240
        else:
 
241
            unittest.TestResult.addFailure(self, test, err)
 
242
            self.failure_count += 1
 
243
            self.report_failure(test, err)
 
244
            if self.stop_early:
 
245
                self.stop()
 
246
            self._cleanupLogFile(test)
341
247
 
342
 
    def addSuccess(self, test, details=None):
 
248
    def addSuccess(self, test):
343
249
        """Tell result that test completed successfully.
344
250
 
345
251
        Called from the TestCase run()
346
252
        """
 
253
        self._testConcluded(test)
347
254
        if self._bench_history is not None:
348
 
            benchmark_time = self._extractBenchmarkTime(test, details)
 
255
            benchmark_time = self._extractBenchmarkTime(test)
349
256
            if benchmark_time is not None:
350
257
                self._bench_history.write("%s %s\n" % (
351
258
                    self._formatTime(benchmark_time),
355
262
        unittest.TestResult.addSuccess(self, test)
356
263
        test._log_contents = ''
357
264
 
358
 
    def addExpectedFailure(self, test, err):
 
265
    def _testConcluded(self, test):
 
266
        """Common code when a test has finished.
 
267
 
 
268
        Called regardless of whether it succeded, failed, etc.
 
269
        """
 
270
        pass
 
271
 
 
272
    def _addKnownFailure(self, test, err):
359
273
        self.known_failure_count += 1
360
274
        self.report_known_failure(test, err)
361
275
 
363
277
        """The test will not be run because of a missing feature.
364
278
        """
365
279
        # this can be called in two different ways: it may be that the
366
 
        # test started running, and then raised (through requireFeature)
 
280
        # test started running, and then raised (through addError)
367
281
        # UnavailableFeature.  Alternatively this method can be called
368
 
        # while probing for features before running the test code proper; in
369
 
        # that case we will see startTest and stopTest, but the test will
370
 
        # never actually run.
 
282
        # while probing for features before running the tests; in that
 
283
        # case we will see startTest and stopTest, but the test will never
 
284
        # actually run.
371
285
        self.unsupported.setdefault(str(feature), 0)
372
286
        self.unsupported[str(feature)] += 1
373
287
        self.report_unsupported(test, feature)
377
291
        self.skip_count += 1
378
292
        self.report_skip(test, reason)
379
293
 
380
 
    def addNotApplicable(self, test, reason):
381
 
        self.not_applicable_count += 1
382
 
        self.report_not_applicable(test, reason)
383
 
 
384
 
    def _post_mortem(self):
385
 
        """Start a PDB post mortem session."""
386
 
        if os.environ.get('BZR_TEST_PDB', None):
387
 
            import pdb;pdb.post_mortem()
388
 
 
389
 
    def progress(self, offset, whence):
390
 
        """The test is adjusting the count of tests to run."""
391
 
        if whence == SUBUNIT_SEEK_SET:
392
 
            self.num_tests = offset
393
 
        elif whence == SUBUNIT_SEEK_CUR:
394
 
            self.num_tests += offset
 
294
    def _addNotApplicable(self, test, skip_excinfo):
 
295
        if isinstance(skip_excinfo[1], TestNotApplicable):
 
296
            self.not_applicable_count += 1
 
297
            self.report_not_applicable(test, skip_excinfo)
 
298
        try:
 
299
            test.tearDown()
 
300
        except KeyboardInterrupt:
 
301
            raise
 
302
        except:
 
303
            self.addError(test, test.exc_info())
395
304
        else:
396
 
            raise errors.BzrError("Unknown whence %r" % whence)
 
305
            # seems best to treat this as success from point-of-view of unittest
 
306
            # -- it actually does nothing so it barely matters :)
 
307
            unittest.TestResult.addSuccess(self, test)
 
308
            test._log_contents = ''
 
309
 
 
310
    def printErrorList(self, flavour, errors):
 
311
        for test, err in errors:
 
312
            self.stream.writeln(self.separator1)
 
313
            self.stream.write("%s: " % flavour)
 
314
            self.stream.writeln(self.getDescription(test))
 
315
            if getattr(test, '_get_log', None) is not None:
 
316
                self.stream.write('\n')
 
317
                self.stream.write(
 
318
                        ('vvvv[log from %s]' % test.id()).ljust(78,'-'))
 
319
                self.stream.write('\n')
 
320
                self.stream.write(test._get_log())
 
321
                self.stream.write('\n')
 
322
                self.stream.write(
 
323
                        ('^^^^[log from %s]' % test.id()).ljust(78,'-'))
 
324
                self.stream.write('\n')
 
325
            self.stream.writeln(self.separator2)
 
326
            self.stream.writeln("%s" % err)
 
327
 
 
328
    def finished(self):
 
329
        pass
397
330
 
398
331
    def report_cleaning_up(self):
399
332
        pass
400
333
 
401
 
    def startTestRun(self):
402
 
        self.startTime = time.time()
403
 
 
404
334
    def report_success(self, test):
405
335
        pass
406
336
 
415
345
 
416
346
    def __init__(self, stream, descriptions, verbosity,
417
347
                 bench_history=None,
 
348
                 num_tests=None,
418
349
                 pb=None,
419
 
                 strict=None,
420
350
                 ):
421
351
        ExtendedTestResult.__init__(self, stream, descriptions, verbosity,
422
 
            bench_history, strict)
423
 
        # We no longer pass them around, but just rely on the UIFactory stack
424
 
        # for state
425
 
        if pb is not None:
426
 
            warnings.warn("Passing pb to TextTestResult is deprecated")
427
 
        self.pb = self.ui.nested_progress_bar()
 
352
            bench_history, num_tests)
 
353
        if pb is None:
 
354
            self.pb = self.ui.nested_progress_bar()
 
355
            self._supplied_pb = False
 
356
        else:
 
357
            self.pb = pb
 
358
            self._supplied_pb = True
428
359
        self.pb.show_pct = False
429
360
        self.pb.show_spinner = False
430
361
        self.pb.show_eta = False,
431
362
        self.pb.show_count = False
432
363
        self.pb.show_bar = False
433
 
        self.pb.update_latency = 0
434
 
        self.pb.show_transport_activity = False
435
 
 
436
 
    def stopTestRun(self):
437
 
        # called when the tests that are going to run have run
438
 
        self.pb.clear()
439
 
        self.pb.finished()
440
 
        super(TextTestResult, self).stopTestRun()
441
 
 
442
 
    def startTestRun(self):
443
 
        super(TextTestResult, self).startTestRun()
444
 
        self.pb.update('[test 0/%d] Starting' % (self.num_tests))
445
 
 
446
 
    def printErrors(self):
447
 
        # clear the pb to make room for the error listing
448
 
        self.pb.clear()
449
 
        super(TextTestResult, self).printErrors()
 
364
 
 
365
    def report_starting(self):
 
366
        self.pb.update('[test 0/%d] starting...' % (self.num_tests))
450
367
 
451
368
    def _progress_prefix_text(self):
452
369
        # the longer this text, the less space we have to show the test
458
375
        ##     a += ', %d skip' % self.skip_count
459
376
        ## if self.known_failure_count:
460
377
        ##     a += '+%dX' % self.known_failure_count
461
 
        if self.num_tests:
 
378
        if self.num_tests is not None:
462
379
            a +='/%d' % self.num_tests
463
380
        a += ' in '
464
381
        runtime = time.time() - self._overall_start_time
466
383
            a += '%dm%ds' % (runtime / 60, runtime % 60)
467
384
        else:
468
385
            a += '%ds' % runtime
469
 
        total_fail_count = self.error_count + self.failure_count
470
 
        if total_fail_count:
471
 
            a += ', %d failed' % total_fail_count
472
 
        # if self.unsupported:
473
 
        #     a += ', %d missing' % len(self.unsupported)
 
386
        if self.error_count:
 
387
            a += ', %d err' % self.error_count
 
388
        if self.failure_count:
 
389
            a += ', %d fail' % self.failure_count
 
390
        if self.unsupported:
 
391
            a += ', %d missing' % len(self.unsupported)
474
392
        a += ']'
475
393
        return a
476
394
 
485
403
        return self._shortened_test_description(test)
486
404
 
487
405
    def report_error(self, test, err):
488
 
        self.ui.note('ERROR: %s\n    %s\n' % (
 
406
        self.pb.note('ERROR: %s\n    %s\n',
489
407
            self._test_description(test),
490
408
            err[1],
491
 
            ))
 
409
            )
492
410
 
493
411
    def report_failure(self, test, err):
494
 
        self.ui.note('FAIL: %s\n    %s\n' % (
 
412
        self.pb.note('FAIL: %s\n    %s\n',
495
413
            self._test_description(test),
496
414
            err[1],
497
 
            ))
 
415
            )
498
416
 
499
417
    def report_known_failure(self, test, err):
500
 
        pass
 
418
        self.pb.note('XFAIL: %s\n%s\n',
 
419
            self._test_description(test), err[1])
501
420
 
502
421
    def report_skip(self, test, reason):
503
422
        pass
504
423
 
505
 
    def report_not_applicable(self, test, reason):
 
424
    def report_not_applicable(self, test, skip_excinfo):
506
425
        pass
507
426
 
508
427
    def report_unsupported(self, test, feature):
509
428
        """test cannot be run because feature is missing."""
510
429
 
511
430
    def report_cleaning_up(self):
512
 
        self.pb.update('Cleaning up')
 
431
        self.pb.update('cleaning up...')
 
432
 
 
433
    def finished(self):
 
434
        if not self._supplied_pb:
 
435
            self.pb.finished()
513
436
 
514
437
 
515
438
class VerboseTestResult(ExtendedTestResult):
523
446
            result = a_string
524
447
        return result.ljust(final_width)
525
448
 
526
 
    def startTestRun(self):
527
 
        super(VerboseTestResult, self).startTestRun()
 
449
    def report_starting(self):
528
450
        self.stream.write('running %d tests...\n' % self.num_tests)
529
451
 
530
452
    def report_test_start(self, test):
531
453
        self.count += 1
532
454
        name = self._shortened_test_description(test)
533
 
        width = osutils.terminal_width()
534
 
        if width is not None:
535
 
            # width needs space for 6 char status, plus 1 for slash, plus an
536
 
            # 11-char time string, plus a trailing blank
537
 
            # when NUMBERED_DIRS: plus 5 chars on test number, plus 1 char on
538
 
            # space
539
 
            self.stream.write(self._ellipsize_to_right(name, width-18))
540
 
        else:
541
 
            self.stream.write(name)
 
455
        # width needs space for 6 char status, plus 1 for slash, plus 2 10-char
 
456
        # numbers, plus a trailing blank
 
457
        # when NUMBERED_DIRS: plus 5 chars on test number, plus 1 char on space
 
458
        self.stream.write(self._ellipsize_to_right(name,
 
459
                          osutils.terminal_width()-30))
542
460
        self.stream.flush()
543
461
 
544
462
    def _error_summary(self, err):
573
491
        self.stream.writeln(' SKIP %s\n%s'
574
492
                % (self._testTimeString(test), reason))
575
493
 
576
 
    def report_not_applicable(self, test, reason):
577
 
        self.stream.writeln('  N/A %s\n    %s'
578
 
                % (self._testTimeString(test), reason))
 
494
    def report_not_applicable(self, test, skip_excinfo):
 
495
        self.stream.writeln('  N/A %s\n%s'
 
496
                % (self._testTimeString(test),
 
497
                   self._error_summary(skip_excinfo)))
579
498
 
580
499
    def report_unsupported(self, test, feature):
581
500
        """test cannot be run because feature is missing."""
591
510
                 descriptions=0,
592
511
                 verbosity=1,
593
512
                 bench_history=None,
594
 
                 strict=False,
595
 
                 result_decorators=None,
 
513
                 list_only=False
596
514
                 ):
597
 
        """Create a TextTestRunner.
598
 
 
599
 
        :param result_decorators: An optional list of decorators to apply
600
 
            to the result object being used by the runner. Decorators are
601
 
            applied left to right - the first element in the list is the 
602
 
            innermost decorator.
603
 
        """
604
 
        # stream may know claim to know to write unicode strings, but in older
605
 
        # pythons this goes sufficiently wrong that it is a bad idea. (
606
 
        # specifically a built in file with encoding 'UTF-8' will still try
607
 
        # to encode using ascii.
608
 
        new_encoding = osutils.get_terminal_encoding()
609
 
        codec = codecs.lookup(new_encoding)
610
 
        if type(codec) is tuple:
611
 
            # Python 2.4
612
 
            encode = codec[0]
613
 
        else:
614
 
            encode = codec.encode
615
 
        stream = osutils.UnicodeOrBytesToBytesWriter(encode, stream)
616
 
        stream.encoding = new_encoding
617
515
        self.stream = unittest._WritelnDecorator(stream)
618
516
        self.descriptions = descriptions
619
517
        self.verbosity = verbosity
620
518
        self._bench_history = bench_history
621
 
        self._strict = strict
622
 
        self._result_decorators = result_decorators or []
 
519
        self.list_only = list_only
623
520
 
624
521
    def run(self, test):
625
522
        "Run the given test case or test suite."
 
523
        startTime = time.time()
626
524
        if self.verbosity == 1:
627
525
            result_class = TextTestResult
628
526
        elif self.verbosity >= 2:
629
527
            result_class = VerboseTestResult
630
 
        original_result = result_class(self.stream,
 
528
        result = result_class(self.stream,
631
529
                              self.descriptions,
632
530
                              self.verbosity,
633
531
                              bench_history=self._bench_history,
634
 
                              strict=self._strict,
 
532
                              num_tests=test.countTestCases(),
635
533
                              )
636
 
        # Signal to result objects that look at stop early policy to stop,
637
 
        original_result.stop_early = self.stop_on_failure
638
 
        result = original_result
639
 
        for decorator in self._result_decorators:
640
 
            result = decorator(result)
641
 
            result.stop_early = self.stop_on_failure
642
 
        result.startTestRun()
643
 
        try:
 
534
        result.stop_early = self.stop_on_failure
 
535
        result.report_starting()
 
536
        if self.list_only:
 
537
            if self.verbosity >= 2:
 
538
                self.stream.writeln("Listing tests only ...\n")
 
539
            run = 0
 
540
            for t in iter_suite_tests(test):
 
541
                self.stream.writeln("%s" % (t.id()))
 
542
                run += 1
 
543
            actionTaken = "Listed"
 
544
        else:
644
545
            test.run(result)
645
 
        finally:
646
 
            result.stopTestRun()
647
 
        # higher level code uses our extended protocol to determine
648
 
        # what exit code to give.
649
 
        return original_result
 
546
            run = result.testsRun
 
547
            actionTaken = "Ran"
 
548
        stopTime = time.time()
 
549
        timeTaken = stopTime - startTime
 
550
        result.printErrors()
 
551
        self.stream.writeln(result.separator2)
 
552
        self.stream.writeln("%s %d test%s in %.3fs" % (actionTaken,
 
553
                            run, run != 1 and "s" or "", timeTaken))
 
554
        self.stream.writeln()
 
555
        if not result.wasSuccessful():
 
556
            self.stream.write("FAILED (")
 
557
            failed, errored = map(len, (result.failures, result.errors))
 
558
            if failed:
 
559
                self.stream.write("failures=%d" % failed)
 
560
            if errored:
 
561
                if failed: self.stream.write(", ")
 
562
                self.stream.write("errors=%d" % errored)
 
563
            if result.known_failure_count:
 
564
                if failed or errored: self.stream.write(", ")
 
565
                self.stream.write("known_failure_count=%d" %
 
566
                    result.known_failure_count)
 
567
            self.stream.writeln(")")
 
568
        else:
 
569
            if result.known_failure_count:
 
570
                self.stream.writeln("OK (known_failures=%d)" %
 
571
                    result.known_failure_count)
 
572
            else:
 
573
                self.stream.writeln("OK")
 
574
        if result.skip_count > 0:
 
575
            skipped = result.skip_count
 
576
            self.stream.writeln('%d test%s skipped' %
 
577
                                (skipped, skipped != 1 and "s" or ""))
 
578
        if result.unsupported:
 
579
            for feature, count in sorted(result.unsupported.items()):
 
580
                self.stream.writeln("Missing feature '%s' skipped %d tests." %
 
581
                    (feature, count))
 
582
        result.finished()
 
583
        return result
650
584
 
651
585
 
652
586
def iter_suite_tests(suite):
653
587
    """Return all tests in a suite, recursing through nested suites"""
654
 
    if isinstance(suite, unittest.TestCase):
655
 
        yield suite
656
 
    elif isinstance(suite, unittest.TestSuite):
657
 
        for item in suite:
 
588
    for item in suite._tests:
 
589
        if isinstance(item, unittest.TestCase):
 
590
            yield item
 
591
        elif isinstance(item, unittest.TestSuite):
658
592
            for r in iter_suite_tests(item):
659
593
                yield r
660
 
    else:
661
 
        raise Exception('unknown type %r for object %r'
662
 
                        % (type(suite), suite))
663
 
 
664
 
 
665
 
TestSkipped = testtools.testcase.TestSkipped
 
594
        else:
 
595
            raise Exception('unknown object %r inside test suite %r'
 
596
                            % (item, suite))
 
597
 
 
598
 
 
599
class TestSkipped(Exception):
 
600
    """Indicates that a test was intentionally skipped, rather than failing."""
666
601
 
667
602
 
668
603
class TestNotApplicable(TestSkipped):
674
609
    """
675
610
 
676
611
 
677
 
# traceback._some_str fails to format exceptions that have the default
678
 
# __str__ which does an implicit ascii conversion. However, repr() on those
679
 
# objects works, for all that its not quite what the doctor may have ordered.
680
 
def _clever_some_str(value):
681
 
    try:
682
 
        return str(value)
683
 
    except:
684
 
        try:
685
 
            return repr(value).replace('\\n', '\n')
686
 
        except:
687
 
            return '<unprintable %s object>' % type(value).__name__
688
 
 
689
 
traceback._some_str = _clever_some_str
690
 
 
691
 
 
692
 
# deprecated - use self.knownFailure(), or self.expectFailure.
693
 
KnownFailure = testtools.testcase._ExpectedFailure
 
612
class KnownFailure(AssertionError):
 
613
    """Indicates that a test failed in a precisely expected manner.
 
614
 
 
615
    Such failures dont block the whole test suite from passing because they are
 
616
    indicators of partially completed code or of future work. We have an
 
617
    explicit error for them so that we can ensure that they are always visible:
 
618
    KnownFailures are always shown in the output of bzr selftest.
 
619
    """
694
620
 
695
621
 
696
622
class UnavailableFeature(Exception):
697
623
    """A feature required for this test was not available.
698
624
 
699
 
    This can be considered a specialised form of SkippedTest.
700
 
 
701
625
    The feature should be used to construct the exception.
702
626
    """
703
627
 
704
628
 
 
629
class CommandFailed(Exception):
 
630
    pass
 
631
 
 
632
 
705
633
class StringIOWrapper(object):
706
634
    """A wrapper around cStringIO which just adds an encoding attribute.
707
635
 
728
656
            return setattr(self._cstring, name, val)
729
657
 
730
658
 
731
 
class TestUIFactory(TextUIFactory):
 
659
class TestUIFactory(ui.CLIUIFactory):
732
660
    """A UI Factory for testing.
733
661
 
734
662
    Hide the progress bar but emit note()s.
735
663
    Redirect stdin.
736
664
    Allows get_password to be tested without real tty attached.
737
 
 
738
 
    See also CannedInputUIFactory which lets you provide programmatic input in
739
 
    a structured way.
740
665
    """
741
 
    # TODO: Capture progress events at the model level and allow them to be
742
 
    # observed by tests that care.
743
 
    #
744
 
    # XXX: Should probably unify more with CannedInputUIFactory or a
745
 
    # particular configuration of TextUIFactory, or otherwise have a clearer
746
 
    # idea of how they're supposed to be different.
747
 
    # See https://bugs.edge.launchpad.net/bzr/+bug/408213
748
666
 
749
 
    def __init__(self, stdout=None, stderr=None, stdin=None):
 
667
    def __init__(self,
 
668
                 stdout=None,
 
669
                 stderr=None,
 
670
                 stdin=None):
 
671
        super(TestUIFactory, self).__init__()
750
672
        if stdin is not None:
751
673
            # We use a StringIOWrapper to be able to test various
752
674
            # encodings, but the user is still responsible to
753
675
            # encode the string and to set the encoding attribute
754
676
            # of StringIOWrapper.
755
 
            stdin = StringIOWrapper(stdin)
756
 
        super(TestUIFactory, self).__init__(stdin, stdout, stderr)
757
 
 
758
 
    def get_non_echoed_password(self):
 
677
            self.stdin = StringIOWrapper(stdin)
 
678
        if stdout is None:
 
679
            self.stdout = sys.stdout
 
680
        else:
 
681
            self.stdout = stdout
 
682
        if stderr is None:
 
683
            self.stderr = sys.stderr
 
684
        else:
 
685
            self.stderr = stderr
 
686
 
 
687
    def clear(self):
 
688
        """See progress.ProgressBar.clear()."""
 
689
 
 
690
    def clear_term(self):
 
691
        """See progress.ProgressBar.clear_term()."""
 
692
 
 
693
    def clear_term(self):
 
694
        """See progress.ProgressBar.clear_term()."""
 
695
 
 
696
    def finished(self):
 
697
        """See progress.ProgressBar.finished()."""
 
698
 
 
699
    def note(self, fmt_string, *args, **kwargs):
 
700
        """See progress.ProgressBar.note()."""
 
701
        self.stdout.write((fmt_string + "\n") % args)
 
702
 
 
703
    def progress_bar(self):
 
704
        return self
 
705
 
 
706
    def nested_progress_bar(self):
 
707
        return self
 
708
 
 
709
    def update(self, message, count=None, total=None):
 
710
        """See progress.ProgressBar.update()."""
 
711
 
 
712
    def get_non_echoed_password(self, prompt):
759
713
        """Get password from stdin without trying to handle the echo mode"""
 
714
        if prompt:
 
715
            self.stdout.write(prompt.encode(self.stdout.encoding, 'replace'))
760
716
        password = self.stdin.readline()
761
717
        if not password:
762
718
            raise EOFError
764
720
            password = password[:-1]
765
721
        return password
766
722
 
767
 
    def make_progress_view(self):
768
 
        return NullProgressView()
769
 
 
770
 
 
771
 
class TestCase(testtools.TestCase):
 
723
 
 
724
def _report_leaked_threads():
 
725
    bzrlib.trace.warning('%s is leaking threads among %d leaking tests',
 
726
                         TestCase._first_thread_leaker_id,
 
727
                         TestCase._leaking_threads_tests)
 
728
 
 
729
 
 
730
class TestCase(unittest.TestCase):
772
731
    """Base class for bzr unit tests.
773
732
 
774
733
    Tests that need access to disk resources should subclass
793
752
    _leaking_threads_tests = 0
794
753
    _first_thread_leaker_id = None
795
754
    _log_file_name = None
 
755
    _log_contents = ''
 
756
    _keep_log_file = False
796
757
    # record lsprof data when performing benchmark calls.
797
758
    _gather_lsprof_in_benchmarks = False
 
759
    attrs_to_keep = ('id', '_testMethodName', '_testMethodDoc',
 
760
                     '_log_contents', '_log_file_name', '_benchtime',
 
761
                     '_TestCase__testMethodName')
798
762
 
799
763
    def __init__(self, methodName='testMethod'):
800
764
        super(TestCase, self).__init__(methodName)
801
765
        self._cleanups = []
802
 
        self._directory_isolation = True
803
 
        self.exception_handlers.insert(0,
804
 
            (UnavailableFeature, self._do_unsupported_or_skip))
805
 
        self.exception_handlers.insert(0,
806
 
            (TestNotApplicable, self._do_not_applicable))
807
766
 
808
767
    def setUp(self):
809
 
        super(TestCase, self).setUp()
810
 
        for feature in getattr(self, '_test_needs_features', []):
811
 
            self.requireFeature(feature)
812
 
        self._log_contents = None
813
 
        self.addDetail("log", content.Content(content.ContentType("text",
814
 
            "plain", {"charset": "utf8"}),
815
 
            lambda:[self._get_log(keep_log_file=True)]))
 
768
        unittest.TestCase.setUp(self)
816
769
        self._cleanEnvironment()
817
770
        self._silenceUI()
818
771
        self._startLogFile()
819
772
        self._benchcalls = []
820
773
        self._benchtime = None
821
774
        self._clear_hooks()
822
 
        self._track_transports()
823
 
        self._track_locks()
824
775
        self._clear_debug_flags()
825
776
        TestCase._active_threads = threading.activeCount()
826
777
        self.addCleanup(self._check_leaked_threads)
827
778
 
828
 
    def debug(self):
829
 
        # debug a frame up.
830
 
        import pdb
831
 
        pdb.Pdb().set_trace(sys._getframe().f_back)
 
779
    def exc_info(self):
 
780
        absent_attr = object()
 
781
        exc_info = getattr(self, '_exc_info', absent_attr)
 
782
        if exc_info is absent_attr:
 
783
            exc_info = getattr(self, '_TestCase__exc_info')
 
784
        return exc_info()
832
785
 
833
786
    def _check_leaked_threads(self):
834
787
        active = threading.activeCount()
835
788
        leaked_threads = active - TestCase._active_threads
836
789
        TestCase._active_threads = active
837
 
        # If some tests make the number of threads *decrease*, we'll consider
838
 
        # that they are just observing old threads dieing, not agressively kill
839
 
        # random threads. So we don't report these tests as leaking. The risk
840
 
        # is that we have false positives that way (the test see 2 threads
841
 
        # going away but leak one) but it seems less likely than the actual
842
 
        # false positives (the test see threads going away and does not leak).
843
 
        if leaked_threads > 0:
 
790
        if leaked_threads:
844
791
            TestCase._leaking_threads_tests += 1
845
792
            if TestCase._first_thread_leaker_id is None:
846
793
                TestCase._first_thread_leaker_id = self.id()
 
794
                # we're not specifically told when all tests are finished.
 
795
                # This will do. We use a function to avoid keeping a reference
 
796
                # to a TestCase object.
 
797
                atexit.register(_report_leaked_threads)
847
798
 
848
799
    def _clear_debug_flags(self):
849
800
        """Prevent externally set debug flags affecting tests.
851
802
        Tests that want to use debug flags can just set them in the
852
803
        debug_flags set during setup/teardown.
853
804
        """
854
 
        # Start with a copy of the current debug flags we can safely modify.
855
 
        self.overrideAttr(debug, 'debug_flags', set(debug.debug_flags))
 
805
        self._preserved_debug_flags = set(debug.debug_flags)
856
806
        if 'allow_debug' not in selftest_debug_flags:
857
807
            debug.debug_flags.clear()
858
 
        if 'disable_lock_checks' not in selftest_debug_flags:
859
 
            debug.debug_flags.add('strict_locks')
 
808
        self.addCleanup(self._restore_debug_flags)
860
809
 
861
810
    def _clear_hooks(self):
862
811
        # prevent hooks affecting tests
863
 
        self._preserved_hooks = {}
864
 
        for key, factory in hooks.known_hooks.items():
865
 
            parent, name = hooks.known_hooks_key_to_parent_and_attribute(key)
866
 
            current_hooks = hooks.known_hooks_key_to_object(key)
867
 
            self._preserved_hooks[parent] = (name, current_hooks)
 
812
        import bzrlib.branch
 
813
        import bzrlib.smart.client
 
814
        import bzrlib.smart.server
 
815
        self._preserved_hooks = {
 
816
            bzrlib.branch.Branch: bzrlib.branch.Branch.hooks,
 
817
            bzrlib.mutabletree.MutableTree: bzrlib.mutabletree.MutableTree.hooks,
 
818
            bzrlib.smart.client._SmartClient: bzrlib.smart.client._SmartClient.hooks,
 
819
            bzrlib.smart.server.SmartTCPServer: bzrlib.smart.server.SmartTCPServer.hooks,
 
820
            bzrlib.commands.Command: bzrlib.commands.Command.hooks,
 
821
            }
868
822
        self.addCleanup(self._restoreHooks)
869
 
        for key, factory in hooks.known_hooks.items():
870
 
            parent, name = hooks.known_hooks_key_to_parent_and_attribute(key)
871
 
            setattr(parent, name, factory())
872
 
        # this hook should always be installed
873
 
        request._install_hook()
874
 
 
875
 
    def disable_directory_isolation(self):
876
 
        """Turn off directory isolation checks."""
877
 
        self._directory_isolation = False
878
 
 
879
 
    def enable_directory_isolation(self):
880
 
        """Enable directory isolation checks."""
881
 
        self._directory_isolation = True
 
823
        # reset all hooks to an empty instance of the appropriate type
 
824
        bzrlib.branch.Branch.hooks = bzrlib.branch.BranchHooks()
 
825
        bzrlib.smart.client._SmartClient.hooks = bzrlib.smart.client.SmartClientHooks()
 
826
        bzrlib.smart.server.SmartTCPServer.hooks = bzrlib.smart.server.SmartServerHooks()
 
827
        bzrlib.commands.Command.hooks = bzrlib.commands.CommandHooks()
882
828
 
883
829
    def _silenceUI(self):
884
830
        """Turn off UI for duration of test"""
885
831
        # by default the UI is off; tests can turn it on if they want it.
886
 
        self.overrideAttr(ui, 'ui_factory', ui.SilentUIFactory())
887
 
 
888
 
    def _check_locks(self):
889
 
        """Check that all lock take/release actions have been paired."""
890
 
        # We always check for mismatched locks. If a mismatch is found, we
891
 
        # fail unless -Edisable_lock_checks is supplied to selftest, in which
892
 
        # case we just print a warning.
893
 
        # unhook:
894
 
        acquired_locks = [lock for action, lock in self._lock_actions
895
 
                          if action == 'acquired']
896
 
        released_locks = [lock for action, lock in self._lock_actions
897
 
                          if action == 'released']
898
 
        broken_locks = [lock for action, lock in self._lock_actions
899
 
                        if action == 'broken']
900
 
        # trivially, given the tests for lock acquistion and release, if we
901
 
        # have as many in each list, it should be ok. Some lock tests also
902
 
        # break some locks on purpose and should be taken into account by
903
 
        # considering that breaking a lock is just a dirty way of releasing it.
904
 
        if len(acquired_locks) != (len(released_locks) + len(broken_locks)):
905
 
            message = ('Different number of acquired and '
906
 
                       'released or broken locks. (%s, %s + %s)' %
907
 
                       (acquired_locks, released_locks, broken_locks))
908
 
            if not self._lock_check_thorough:
909
 
                # Rather than fail, just warn
910
 
                print "Broken test %s: %s" % (self, message)
911
 
                return
912
 
            self.fail(message)
913
 
 
914
 
    def _track_locks(self):
915
 
        """Track lock activity during tests."""
916
 
        self._lock_actions = []
917
 
        if 'disable_lock_checks' in selftest_debug_flags:
918
 
            self._lock_check_thorough = False
919
 
        else:
920
 
            self._lock_check_thorough = True
921
 
 
922
 
        self.addCleanup(self._check_locks)
923
 
        _mod_lock.Lock.hooks.install_named_hook('lock_acquired',
924
 
                                                self._lock_acquired, None)
925
 
        _mod_lock.Lock.hooks.install_named_hook('lock_released',
926
 
                                                self._lock_released, None)
927
 
        _mod_lock.Lock.hooks.install_named_hook('lock_broken',
928
 
                                                self._lock_broken, None)
929
 
 
930
 
    def _lock_acquired(self, result):
931
 
        self._lock_actions.append(('acquired', result))
932
 
 
933
 
    def _lock_released(self, result):
934
 
        self._lock_actions.append(('released', result))
935
 
 
936
 
    def _lock_broken(self, result):
937
 
        self._lock_actions.append(('broken', result))
938
 
 
939
 
    def permit_dir(self, name):
940
 
        """Permit a directory to be used by this test. See permit_url."""
941
 
        name_transport = get_transport(name)
942
 
        self.permit_url(name)
943
 
        self.permit_url(name_transport.base)
944
 
 
945
 
    def permit_url(self, url):
946
 
        """Declare that url is an ok url to use in this test.
947
 
        
948
 
        Do this for memory transports, temporary test directory etc.
949
 
        
950
 
        Do not do this for the current working directory, /tmp, or any other
951
 
        preexisting non isolated url.
952
 
        """
953
 
        if not url.endswith('/'):
954
 
            url += '/'
955
 
        self._bzr_selftest_roots.append(url)
956
 
 
957
 
    def permit_source_tree_branch_repo(self):
958
 
        """Permit the source tree bzr is running from to be opened.
959
 
 
960
 
        Some code such as bzrlib.version attempts to read from the bzr branch
961
 
        that bzr is executing from (if any). This method permits that directory
962
 
        to be used in the test suite.
963
 
        """
964
 
        path = self.get_source_path()
965
 
        self.record_directory_isolation()
966
 
        try:
967
 
            try:
968
 
                workingtree.WorkingTree.open(path)
969
 
            except (errors.NotBranchError, errors.NoWorkingTree):
970
 
                return
971
 
        finally:
972
 
            self.enable_directory_isolation()
973
 
 
974
 
    def _preopen_isolate_transport(self, transport):
975
 
        """Check that all transport openings are done in the test work area."""
976
 
        while isinstance(transport, pathfilter.PathFilteringTransport):
977
 
            # Unwrap pathfiltered transports
978
 
            transport = transport.server.backing_transport.clone(
979
 
                transport._filter('.'))
980
 
        url = transport.base
981
 
        # ReadonlySmartTCPServer_for_testing decorates the backing transport
982
 
        # urls it is given by prepending readonly+. This is appropriate as the
983
 
        # client shouldn't know that the server is readonly (or not readonly).
984
 
        # We could register all servers twice, with readonly+ prepending, but
985
 
        # that makes for a long list; this is about the same but easier to
986
 
        # read.
987
 
        if url.startswith('readonly+'):
988
 
            url = url[len('readonly+'):]
989
 
        self._preopen_isolate_url(url)
990
 
 
991
 
    def _preopen_isolate_url(self, url):
992
 
        if not self._directory_isolation:
993
 
            return
994
 
        if self._directory_isolation == 'record':
995
 
            self._bzr_selftest_roots.append(url)
996
 
            return
997
 
        # This prevents all transports, including e.g. sftp ones backed on disk
998
 
        # from working unless they are explicitly granted permission. We then
999
 
        # depend on the code that sets up test transports to check that they are
1000
 
        # appropriately isolated and enable their use by calling
1001
 
        # self.permit_transport()
1002
 
        if not osutils.is_inside_any(self._bzr_selftest_roots, url):
1003
 
            raise errors.BzrError("Attempt to escape test isolation: %r %r"
1004
 
                % (url, self._bzr_selftest_roots))
1005
 
 
1006
 
    def record_directory_isolation(self):
1007
 
        """Gather accessed directories to permit later access.
1008
 
        
1009
 
        This is used for tests that access the branch bzr is running from.
1010
 
        """
1011
 
        self._directory_isolation = "record"
1012
 
 
1013
 
    def start_server(self, transport_server, backing_server=None):
1014
 
        """Start transport_server for this test.
1015
 
 
1016
 
        This starts the server, registers a cleanup for it and permits the
1017
 
        server's urls to be used.
1018
 
        """
1019
 
        if backing_server is None:
1020
 
            transport_server.start_server()
1021
 
        else:
1022
 
            transport_server.start_server(backing_server)
1023
 
        self.addCleanup(transport_server.stop_server)
1024
 
        # Obtain a real transport because if the server supplies a password, it
1025
 
        # will be hidden from the base on the client side.
1026
 
        t = get_transport(transport_server.get_url())
1027
 
        # Some transport servers effectively chroot the backing transport;
1028
 
        # others like SFTPServer don't - users of the transport can walk up the
1029
 
        # transport to read the entire backing transport. This wouldn't matter
1030
 
        # except that the workdir tests are given - and that they expect the
1031
 
        # server's url to point at - is one directory under the safety net. So
1032
 
        # Branch operations into the transport will attempt to walk up one
1033
 
        # directory. Chrooting all servers would avoid this but also mean that
1034
 
        # we wouldn't be testing directly against non-root urls. Alternatively
1035
 
        # getting the test framework to start the server with a backing server
1036
 
        # at the actual safety net directory would work too, but this then
1037
 
        # means that the self.get_url/self.get_transport methods would need
1038
 
        # to transform all their results. On balance its cleaner to handle it
1039
 
        # here, and permit a higher url when we have one of these transports.
1040
 
        if t.base.endswith('/work/'):
1041
 
            # we have safety net/test root/work
1042
 
            t = t.clone('../..')
1043
 
        elif isinstance(transport_server, server.SmartTCPServer_for_testing):
1044
 
            # The smart server adds a path similar to work, which is traversed
1045
 
            # up from by the client. But the server is chrooted - the actual
1046
 
            # backing transport is not escaped from, and VFS requests to the
1047
 
            # root will error (because they try to escape the chroot).
1048
 
            t2 = t.clone('..')
1049
 
            while t2.base != t.base:
1050
 
                t = t2
1051
 
                t2 = t.clone('..')
1052
 
        self.permit_url(t.base)
1053
 
 
1054
 
    def _track_transports(self):
1055
 
        """Install checks for transport usage."""
1056
 
        # TestCase has no safe place it can write to.
1057
 
        self._bzr_selftest_roots = []
1058
 
        # Currently the easiest way to be sure that nothing is going on is to
1059
 
        # hook into bzr dir opening. This leaves a small window of error for
1060
 
        # transport tests, but they are well known, and we can improve on this
1061
 
        # step.
1062
 
        bzrdir.BzrDir.hooks.install_named_hook("pre_open",
1063
 
            self._preopen_isolate_transport, "Check bzr directories are safe.")
 
832
        saved = ui.ui_factory
 
833
        def _restore():
 
834
            ui.ui_factory = saved
 
835
        ui.ui_factory = ui.SilentUIFactory()
 
836
        self.addCleanup(_restore)
1064
837
 
1065
838
    def _ndiff_strings(self, a, b):
1066
839
        """Return ndiff between two strings containing lines.
1104
877
            return
1105
878
        if message is None:
1106
879
            message = "texts not equal:\n"
 
880
        if a == b + '\n':
 
881
            message = 'first string is missing a final newline.\n'
1107
882
        if a + '\n' == b:
1108
 
            message = 'first string is missing a final newline.\n'
1109
 
        if a == b + '\n':
1110
883
            message = 'second string is missing a final newline.\n'
1111
884
        raise AssertionError(message +
1112
885
                             self._ndiff_strings(a, b))
1123
896
        :raises AssertionError: If the expected and actual stat values differ
1124
897
            other than by atime.
1125
898
        """
1126
 
        self.assertEqual(expected.st_size, actual.st_size,
1127
 
                         'st_size did not match')
1128
 
        self.assertEqual(expected.st_mtime, actual.st_mtime,
1129
 
                         'st_mtime did not match')
1130
 
        self.assertEqual(expected.st_ctime, actual.st_ctime,
1131
 
                         'st_ctime did not match')
1132
 
        if sys.platform != 'win32':
1133
 
            # On Win32 both 'dev' and 'ino' cannot be trusted. In python2.4 it
1134
 
            # is 'dev' that varies, in python 2.5 (6?) it is st_ino that is
1135
 
            # odd. Regardless we shouldn't actually try to assert anything
1136
 
            # about their values
1137
 
            self.assertEqual(expected.st_dev, actual.st_dev,
1138
 
                             'st_dev did not match')
1139
 
            self.assertEqual(expected.st_ino, actual.st_ino,
1140
 
                             'st_ino did not match')
1141
 
        self.assertEqual(expected.st_mode, actual.st_mode,
1142
 
                         'st_mode did not match')
1143
 
 
1144
 
    def assertLength(self, length, obj_with_len):
1145
 
        """Assert that obj_with_len is of length length."""
1146
 
        if len(obj_with_len) != length:
1147
 
            self.fail("Incorrect length: wanted %d, got %d for %r" % (
1148
 
                length, len(obj_with_len), obj_with_len))
1149
 
 
1150
 
    def assertLogsError(self, exception_class, func, *args, **kwargs):
1151
 
        """Assert that func(*args, **kwargs) quietly logs a specific exception.
1152
 
        """
1153
 
        from bzrlib import trace
1154
 
        captured = []
1155
 
        orig_log_exception_quietly = trace.log_exception_quietly
1156
 
        try:
1157
 
            def capture():
1158
 
                orig_log_exception_quietly()
1159
 
                captured.append(sys.exc_info())
1160
 
            trace.log_exception_quietly = capture
1161
 
            func(*args, **kwargs)
1162
 
        finally:
1163
 
            trace.log_exception_quietly = orig_log_exception_quietly
1164
 
        self.assertLength(1, captured)
1165
 
        err = captured[0][1]
1166
 
        self.assertIsInstance(err, exception_class)
1167
 
        return err
 
899
        self.assertEqual(expected.st_size, actual.st_size)
 
900
        self.assertEqual(expected.st_mtime, actual.st_mtime)
 
901
        self.assertEqual(expected.st_ctime, actual.st_ctime)
 
902
        self.assertEqual(expected.st_dev, actual.st_dev)
 
903
        self.assertEqual(expected.st_ino, actual.st_ino)
 
904
        self.assertEqual(expected.st_mode, actual.st_mode)
1168
905
 
1169
906
    def assertPositive(self, val):
1170
907
        """Assert that val is greater than 0."""
1263
1000
                raise AssertionError("%r is %r." % (left, right))
1264
1001
 
1265
1002
    def assertTransportMode(self, transport, path, mode):
1266
 
        """Fail if a path does not have mode "mode".
 
1003
        """Fail if a path does not have mode mode.
1267
1004
 
1268
1005
        If modes are not supported on this transport, the assertion is ignored.
1269
1006
        """
1272
1009
        path_stat = transport.stat(path)
1273
1010
        actual_mode = stat.S_IMODE(path_stat.st_mode)
1274
1011
        self.assertEqual(mode, actual_mode,
1275
 
                         'mode of %r incorrect (%s != %s)'
1276
 
                         % (path, oct(mode), oct(actual_mode)))
 
1012
            'mode of %r incorrect (%o != %o)' % (path, mode, actual_mode))
1277
1013
 
1278
1014
    def assertIsSameRealPath(self, path1, path2):
1279
1015
        """Fail if path1 and path2 points to different files"""
1281
1017
                         osutils.realpath(path2),
1282
1018
                         "apparent paths:\na = %s\nb = %s\n," % (path1, path2))
1283
1019
 
1284
 
    def assertIsInstance(self, obj, kls, msg=None):
1285
 
        """Fail if obj is not an instance of kls
1286
 
        
1287
 
        :param msg: Supplementary message to show if the assertion fails.
1288
 
        """
 
1020
    def assertIsInstance(self, obj, kls):
 
1021
        """Fail if obj is not an instance of kls"""
1289
1022
        if not isinstance(obj, kls):
1290
 
            m = "%r is an instance of %s rather than %s" % (
1291
 
                obj, obj.__class__, kls)
1292
 
            if msg:
1293
 
                m += ": " + msg
1294
 
            self.fail(m)
 
1023
            self.fail("%r is an instance of %s rather than %s" % (
 
1024
                obj, obj.__class__, kls))
 
1025
 
 
1026
    def expectFailure(self, reason, assertion, *args, **kwargs):
 
1027
        """Invoke a test, expecting it to fail for the given reason.
 
1028
 
 
1029
        This is for assertions that ought to succeed, but currently fail.
 
1030
        (The failure is *expected* but not *wanted*.)  Please be very precise
 
1031
        about the failure you're expecting.  If a new bug is introduced,
 
1032
        AssertionError should be raised, not KnownFailure.
 
1033
 
 
1034
        Frequently, expectFailure should be followed by an opposite assertion.
 
1035
        See example below.
 
1036
 
 
1037
        Intended to be used with a callable that raises AssertionError as the
 
1038
        'assertion' parameter.  args and kwargs are passed to the 'assertion'.
 
1039
 
 
1040
        Raises KnownFailure if the test fails.  Raises AssertionError if the
 
1041
        test succeeds.
 
1042
 
 
1043
        example usage::
 
1044
 
 
1045
          self.expectFailure('Math is broken', self.assertNotEqual, 54,
 
1046
                             dynamic_val)
 
1047
          self.assertEqual(42, dynamic_val)
 
1048
 
 
1049
          This means that a dynamic_val of 54 will cause the test to raise
 
1050
          a KnownFailure.  Once math is fixed and the expectFailure is removed,
 
1051
          only a dynamic_val of 42 will allow the test to pass.  Anything other
 
1052
          than 54 or 42 will cause an AssertionError.
 
1053
        """
 
1054
        try:
 
1055
            assertion(*args, **kwargs)
 
1056
        except AssertionError:
 
1057
            raise KnownFailure(reason)
 
1058
        else:
 
1059
            self.fail('Unexpected success.  Should have failed: %s' % reason)
1295
1060
 
1296
1061
    def assertFileEqual(self, content, path):
1297
1062
        """Fail if path does not contain 'content'."""
1448
1213
 
1449
1214
        Close the file and delete it, unless setKeepLogfile was called.
1450
1215
        """
1451
 
        if bzrlib.trace._trace_file:
1452
 
            # flush the log file, to get all content
1453
 
            bzrlib.trace._trace_file.flush()
 
1216
        if self._log_file is None:
 
1217
            return
1454
1218
        bzrlib.trace.pop_log_file(self._log_memento)
1455
 
        # Cache the log result and delete the file on disk
1456
 
        self._get_log(False)
1457
 
 
1458
 
    def thisFailsStrictLockCheck(self):
1459
 
        """It is known that this test would fail with -Dstrict_locks.
1460
 
 
1461
 
        By default, all tests are run with strict lock checking unless
1462
 
        -Edisable_lock_checks is supplied. However there are some tests which
1463
 
        we know fail strict locks at this point that have not been fixed.
1464
 
        They should call this function to disable the strict checking.
1465
 
 
1466
 
        This should be used sparingly, it is much better to fix the locking
1467
 
        issues rather than papering over the problem by calling this function.
1468
 
        """
1469
 
        debug.debug_flags.discard('strict_locks')
 
1219
        self._log_file.close()
 
1220
        self._log_file = None
 
1221
        if not self._keep_log_file:
 
1222
            os.remove(self._log_file_name)
 
1223
            self._log_file_name = None
 
1224
 
 
1225
    def setKeepLogfile(self):
 
1226
        """Make the logfile not be deleted when _finishLogFile is called."""
 
1227
        self._keep_log_file = True
1470
1228
 
1471
1229
    def addCleanup(self, callable, *args, **kwargs):
1472
1230
        """Arrange to run a callable when this case is torn down.
1476
1234
        """
1477
1235
        self._cleanups.append((callable, args, kwargs))
1478
1236
 
1479
 
    def overrideAttr(self, obj, attr_name, new=_unitialized_attr):
1480
 
        """Overrides an object attribute restoring it after the test.
1481
 
 
1482
 
        :param obj: The object that will be mutated.
1483
 
 
1484
 
        :param attr_name: The attribute name we want to preserve/override in
1485
 
            the object.
1486
 
 
1487
 
        :param new: The optional value we want to set the attribute to.
1488
 
 
1489
 
        :returns: The actual attr value.
1490
 
        """
1491
 
        value = getattr(obj, attr_name)
1492
 
        # The actual value is captured by the call below
1493
 
        self.addCleanup(setattr, obj, attr_name, value)
1494
 
        if new is not _unitialized_attr:
1495
 
            setattr(obj, attr_name, new)
1496
 
        return value
1497
 
 
1498
1237
    def _cleanEnvironment(self):
1499
1238
        new_env = {
1500
1239
            'BZR_HOME': None, # Don't inherit BZR_HOME to all the tests.
1502
1241
            # bzr now uses the Win32 API and doesn't rely on APPDATA, but the
1503
1242
            # tests do check our impls match APPDATA
1504
1243
            'BZR_EDITOR': None, # test_msgeditor manipulates this variable
1505
 
            'VISUAL': None,
1506
 
            'EDITOR': None,
1507
1244
            'BZR_EMAIL': None,
1508
1245
            'BZREMAIL': None, # may still be present in the environment
1509
1246
            'EMAIL': None,
1510
1247
            'BZR_PROGRESS_BAR': None,
1511
1248
            'BZR_LOG': None,
1512
1249
            'BZR_PLUGIN_PATH': None,
1513
 
            'BZR_CONCURRENCY': None,
1514
 
            # Make sure that any text ui tests are consistent regardless of
1515
 
            # the environment the test case is run in; you may want tests that
1516
 
            # test other combinations.  'dumb' is a reasonable guess for tests
1517
 
            # going to a pipe or a StringIO.
1518
 
            'TERM': 'dumb',
1519
 
            'LINES': '25',
1520
 
            'COLUMNS': '80',
1521
 
            'BZR_COLUMNS': '80',
1522
1250
            # SSH Agent
1523
1251
            'SSH_AUTH_SOCK': None,
1524
1252
            # Proxies
1530
1258
            'NO_PROXY': None,
1531
1259
            'all_proxy': None,
1532
1260
            'ALL_PROXY': None,
1533
 
            # Nobody cares about ftp_proxy, FTP_PROXY AFAIK. So far at
 
1261
            # Nobody cares about these ones AFAIK. So far at
1534
1262
            # least. If you do (care), please update this comment
1535
 
            # -- vila 20080401
 
1263
            # -- vila 20061212
1536
1264
            'ftp_proxy': None,
1537
1265
            'FTP_PROXY': None,
1538
1266
            'BZR_REMOTE_PATH': None,
1539
 
            # Generally speaking, we don't want apport reporting on crashes in
1540
 
            # the test envirnoment unless we're specifically testing apport,
1541
 
            # so that it doesn't leak into the real system environment.  We
1542
 
            # use an env var so it propagates to subprocesses.
1543
 
            'APPORT_DISABLE': '1',
1544
1267
        }
1545
1268
        self.__old_env = {}
1546
1269
        self.addCleanup(self._restoreEnvironment)
1551
1274
        """Set an environment variable, and reset it when finished."""
1552
1275
        self.__old_env[name] = osutils.set_or_unset_env(name, newvalue)
1553
1276
 
 
1277
    def _restore_debug_flags(self):
 
1278
        debug.debug_flags.clear()
 
1279
        debug.debug_flags.update(self._preserved_debug_flags)
 
1280
 
1554
1281
    def _restoreEnvironment(self):
1555
1282
        for name, value in self.__old_env.iteritems():
1556
1283
            osutils.set_or_unset_env(name, value)
1557
1284
 
1558
1285
    def _restoreHooks(self):
1559
 
        for klass, (name, hooks) in self._preserved_hooks.items():
1560
 
            setattr(klass, name, hooks)
 
1286
        for klass, hooks in self._preserved_hooks.items():
 
1287
            setattr(klass, 'hooks', hooks)
1561
1288
 
1562
1289
    def knownFailure(self, reason):
1563
1290
        """This test has failed for some known reason."""
1566
1293
    def _do_skip(self, result, reason):
1567
1294
        addSkip = getattr(result, 'addSkip', None)
1568
1295
        if not callable(addSkip):
1569
 
            result.addSuccess(result)
 
1296
            result.addError(self, self.exc_info())
1570
1297
        else:
1571
1298
            addSkip(self, reason)
1572
1299
 
1573
 
    @staticmethod
1574
 
    def _do_known_failure(self, result, e):
1575
 
        err = sys.exc_info()
1576
 
        addExpectedFailure = getattr(result, 'addExpectedFailure', None)
1577
 
        if addExpectedFailure is not None:
1578
 
            addExpectedFailure(self, err)
1579
 
        else:
1580
 
            result.addSuccess(self)
1581
 
 
1582
 
    @staticmethod
1583
 
    def _do_not_applicable(self, result, e):
1584
 
        if not e.args:
1585
 
            reason = 'No reason given'
1586
 
        else:
1587
 
            reason = e.args[0]
1588
 
        addNotApplicable = getattr(result, 'addNotApplicable', None)
1589
 
        if addNotApplicable is not None:
1590
 
            result.addNotApplicable(self, reason)
1591
 
        else:
1592
 
            self._do_skip(result, reason)
1593
 
 
1594
 
    @staticmethod
1595
 
    def _do_unsupported_or_skip(self, result, e):
1596
 
        reason = e.args[0]
1597
 
        addNotSupported = getattr(result, 'addNotSupported', None)
1598
 
        if addNotSupported is not None:
1599
 
            result.addNotSupported(self, reason)
1600
 
        else:
1601
 
            self._do_skip(result, reason)
 
1300
    def run(self, result=None):
 
1301
        if result is None: result = self.defaultTestResult()
 
1302
        for feature in getattr(self, '_test_needs_features', []):
 
1303
            if not feature.available():
 
1304
                result.startTest(self)
 
1305
                if getattr(result, 'addNotSupported', None):
 
1306
                    result.addNotSupported(self, feature)
 
1307
                else:
 
1308
                    result.addSuccess(self)
 
1309
                result.stopTest(self)
 
1310
                return
 
1311
        try:
 
1312
            try:
 
1313
                result.startTest(self)
 
1314
                absent_attr = object()
 
1315
                # Python 2.5
 
1316
                method_name = getattr(self, '_testMethodName', absent_attr)
 
1317
                if method_name is absent_attr:
 
1318
                    # Python 2.4
 
1319
                    method_name = getattr(self, '_TestCase__testMethodName')
 
1320
                testMethod = getattr(self, method_name)
 
1321
                try:
 
1322
                    try:
 
1323
                        self.setUp()
 
1324
                    except KeyboardInterrupt:
 
1325
                        raise
 
1326
                    except TestSkipped, e:
 
1327
                        self._do_skip(result, e.args[0])
 
1328
                        self.tearDown()
 
1329
                        return
 
1330
                    except:
 
1331
                        result.addError(self, self.exc_info())
 
1332
                        return
 
1333
 
 
1334
                    ok = False
 
1335
                    try:
 
1336
                        testMethod()
 
1337
                        ok = True
 
1338
                    except self.failureException:
 
1339
                        result.addFailure(self, self.exc_info())
 
1340
                    except TestSkipped, e:
 
1341
                        if not e.args:
 
1342
                            reason = "No reason given."
 
1343
                        else:
 
1344
                            reason = e.args[0]
 
1345
                        self._do_skip(result, reason)
 
1346
                    except KeyboardInterrupt:
 
1347
                        raise
 
1348
                    except:
 
1349
                        result.addError(self, self.exc_info())
 
1350
 
 
1351
                    try:
 
1352
                        self.tearDown()
 
1353
                    except KeyboardInterrupt:
 
1354
                        raise
 
1355
                    except:
 
1356
                        result.addError(self, self.exc_info())
 
1357
                        ok = False
 
1358
                    if ok: result.addSuccess(self)
 
1359
                finally:
 
1360
                    result.stopTest(self)
 
1361
                return
 
1362
            except TestNotApplicable:
 
1363
                # Not moved from the result [yet].
 
1364
                raise
 
1365
            except KeyboardInterrupt:
 
1366
                raise
 
1367
        finally:
 
1368
            saved_attrs = {}
 
1369
            absent_attr = object()
 
1370
            for attr_name in self.attrs_to_keep:
 
1371
                attr = getattr(self, attr_name, absent_attr)
 
1372
                if attr is not absent_attr:
 
1373
                    saved_attrs[attr_name] = attr
 
1374
            self.__dict__ = saved_attrs
 
1375
 
 
1376
    def tearDown(self):
 
1377
        self._runCleanups()
 
1378
        self._log_contents = ''
 
1379
        unittest.TestCase.tearDown(self)
1602
1380
 
1603
1381
    def time(self, callable, *args, **kwargs):
1604
1382
        """Run callable and accrue the time it takes to the benchmark time.
1608
1386
        self._benchcalls.
1609
1387
        """
1610
1388
        if self._benchtime is None:
1611
 
            self.addDetail('benchtime', content.Content(content.ContentType(
1612
 
                "text", "plain"), lambda:[str(self._benchtime)]))
1613
1389
            self._benchtime = 0
1614
1390
        start = time.time()
1615
1391
        try:
1624
1400
        finally:
1625
1401
            self._benchtime += time.time() - start
1626
1402
 
 
1403
    def _runCleanups(self):
 
1404
        """Run registered cleanup functions.
 
1405
 
 
1406
        This should only be called from TestCase.tearDown.
 
1407
        """
 
1408
        # TODO: Perhaps this should keep running cleanups even if
 
1409
        # one of them fails?
 
1410
 
 
1411
        # Actually pop the cleanups from the list so tearDown running
 
1412
        # twice is safe (this happens for skipped tests).
 
1413
        while self._cleanups:
 
1414
            cleanup, args, kwargs = self._cleanups.pop()
 
1415
            cleanup(*args, **kwargs)
 
1416
 
1627
1417
    def log(self, *args):
1628
1418
        mutter(*args)
1629
1419
 
1630
1420
    def _get_log(self, keep_log_file=False):
1631
 
        """Internal helper to get the log from bzrlib.trace for this test.
1632
 
 
1633
 
        Please use self.getDetails, or self.get_log to access this in test case
1634
 
        code.
 
1421
        """Get the log from bzrlib.trace calls from this test.
1635
1422
 
1636
1423
        :param keep_log_file: When True, if the log is still a file on disk
1637
1424
            leave it as a file on disk. When False, if the log is still a file
1639
1426
            self._log_contents.
1640
1427
        :return: A string containing the log.
1641
1428
        """
1642
 
        if self._log_contents is not None:
1643
 
            try:
1644
 
                self._log_contents.decode('utf8')
1645
 
            except UnicodeDecodeError:
1646
 
                unicodestr = self._log_contents.decode('utf8', 'replace')
1647
 
                self._log_contents = unicodestr.encode('utf8')
 
1429
        # flush the log file, to get all content
 
1430
        import bzrlib.trace
 
1431
        if bzrlib.trace._trace_file:
 
1432
            bzrlib.trace._trace_file.flush()
 
1433
        if self._log_contents:
 
1434
            # XXX: this can hardly contain the content flushed above --vila
 
1435
            # 20080128
1648
1436
            return self._log_contents
1649
 
        import bzrlib.trace
1650
 
        if bzrlib.trace._trace_file:
1651
 
            # flush the log file, to get all content
1652
 
            bzrlib.trace._trace_file.flush()
1653
1437
        if self._log_file_name is not None:
1654
1438
            logfile = open(self._log_file_name)
1655
1439
            try:
1656
1440
                log_contents = logfile.read()
1657
1441
            finally:
1658
1442
                logfile.close()
1659
 
            try:
1660
 
                log_contents.decode('utf8')
1661
 
            except UnicodeDecodeError:
1662
 
                unicodestr = log_contents.decode('utf8', 'replace')
1663
 
                log_contents = unicodestr.encode('utf8')
1664
1443
            if not keep_log_file:
1665
 
                self._log_file.close()
1666
 
                self._log_file = None
1667
 
                # Permit multiple calls to get_log until we clean it up in
1668
 
                # finishLogFile
1669
1444
                self._log_contents = log_contents
1670
1445
                try:
1671
1446
                    os.remove(self._log_file_name)
1675
1450
                                             ' %r\n' % self._log_file_name))
1676
1451
                    else:
1677
1452
                        raise
1678
 
                self._log_file_name = None
1679
1453
            return log_contents
1680
1454
        else:
1681
 
            return "No log file content and no log file name."
1682
 
 
1683
 
    def get_log(self):
1684
 
        """Get a unicode string containing the log from bzrlib.trace.
1685
 
 
1686
 
        Undecodable characters are replaced.
1687
 
        """
1688
 
        return u"".join(self.getDetails()['log'].iter_text())
 
1455
            return "DELETED log file to reduce memory footprint"
1689
1456
 
1690
1457
    def requireFeature(self, feature):
1691
1458
        """This test requires a specific feature is available.
1708
1475
 
1709
1476
    def _run_bzr_core(self, args, retcode, encoding, stdin,
1710
1477
            working_dir):
1711
 
        # Clear chk_map page cache, because the contents are likely to mask
1712
 
        # locking errors.
1713
 
        chk_map.clear_cache()
1714
1478
        if encoding is None:
1715
1479
            encoding = osutils.get_user_encoding()
1716
1480
        stdout = StringIOWrapper()
1733
1497
            os.chdir(working_dir)
1734
1498
 
1735
1499
        try:
1736
 
            try:
1737
 
                result = self.apply_redirected(ui.ui_factory.stdin,
1738
 
                    stdout, stderr,
1739
 
                    bzrlib.commands.run_bzr_catch_user_errors,
1740
 
                    args)
1741
 
            except KeyboardInterrupt:
1742
 
                # Reraise KeyboardInterrupt with contents of redirected stdout
1743
 
                # and stderr as arguments, for tests which are interested in
1744
 
                # stdout and stderr and are expecting the exception.
1745
 
                out = stdout.getvalue()
1746
 
                err = stderr.getvalue()
1747
 
                if out:
1748
 
                    self.log('output:\n%r', out)
1749
 
                if err:
1750
 
                    self.log('errors:\n%r', err)
1751
 
                raise KeyboardInterrupt(out, err)
 
1500
            result = self.apply_redirected(ui.ui_factory.stdin,
 
1501
                stdout, stderr,
 
1502
                bzrlib.commands.run_bzr_catch_user_errors,
 
1503
                args)
1752
1504
        finally:
1753
1505
            logger.removeHandler(handler)
1754
1506
            ui.ui_factory = old_ui_factory
1764
1516
        if retcode is not None:
1765
1517
            self.assertEquals(retcode, result,
1766
1518
                              message='Unexpected return code')
1767
 
        return result, out, err
 
1519
        return out, err
1768
1520
 
1769
1521
    def run_bzr(self, args, retcode=0, encoding=None, stdin=None,
1770
1522
                working_dir=None, error_regexes=[], output_encoding=None):
1799
1551
        :keyword error_regexes: A list of expected error messages.  If
1800
1552
            specified they must be seen in the error output of the command.
1801
1553
        """
1802
 
        retcode, out, err = self._run_bzr_autosplit(
 
1554
        out, err = self._run_bzr_autosplit(
1803
1555
            args=args,
1804
1556
            retcode=retcode,
1805
1557
            encoding=encoding,
1806
1558
            stdin=stdin,
1807
1559
            working_dir=working_dir,
1808
1560
            )
1809
 
        self.assertIsInstance(error_regexes, (list, tuple))
1810
1561
        for regex in error_regexes:
1811
1562
            self.assertContainsRe(err, regex)
1812
1563
        return out, err
1956
1707
        """
1957
1708
        return Popen(*args, **kwargs)
1958
1709
 
1959
 
    def get_source_path(self):
1960
 
        """Return the path of the directory containing bzrlib."""
1961
 
        return os.path.dirname(os.path.dirname(bzrlib.__file__))
1962
 
 
1963
1710
    def get_bzr_path(self):
1964
1711
        """Return the path of the 'bzr' executable for this test suite."""
1965
 
        bzr_path = self.get_source_path()+'/bzr'
 
1712
        bzr_path = os.path.dirname(os.path.dirname(bzrlib.__file__))+'/bzr'
1966
1713
        if not os.path.isfile(bzr_path):
1967
1714
            # We are probably installed. Assume sys.argv is the right file
1968
1715
            bzr_path = sys.argv[0]
2054
1801
 
2055
1802
        Tests that expect to provoke LockContention errors should call this.
2056
1803
        """
2057
 
        self.overrideAttr(bzrlib.lockdir, '_DEFAULT_TIMEOUT_SECONDS', 0)
 
1804
        orig_timeout = bzrlib.lockdir._DEFAULT_TIMEOUT_SECONDS
 
1805
        def resetTimeout():
 
1806
            bzrlib.lockdir._DEFAULT_TIMEOUT_SECONDS = orig_timeout
 
1807
        self.addCleanup(resetTimeout)
 
1808
        bzrlib.lockdir._DEFAULT_TIMEOUT_SECONDS = 0
2058
1809
 
2059
1810
    def make_utf8_encoded_stringio(self, encoding_type=None):
2060
1811
        """Return a StringIOWrapper instance, that will encode Unicode
2068
1819
        sio.encoding = output_encoding
2069
1820
        return sio
2070
1821
 
2071
 
    def disable_verb(self, verb):
2072
 
        """Disable a smart server verb for one test."""
2073
 
        from bzrlib.smart import request
2074
 
        request_handlers = request.request_handlers
2075
 
        orig_method = request_handlers.get(verb)
2076
 
        request_handlers.remove(verb)
2077
 
        self.addCleanup(request_handlers.register, verb, orig_method)
2078
 
 
2079
1822
 
2080
1823
class CapturedCall(object):
2081
1824
    """A helper for capturing smart server calls for easy debug analysis."""
2171
1914
        if self.__readonly_server is None:
2172
1915
            if self.transport_readonly_server is None:
2173
1916
                # readonly decorator requested
 
1917
                # bring up the server
2174
1918
                self.__readonly_server = ReadonlyServer()
 
1919
                self.__readonly_server.setUp(self.get_vfs_only_server())
2175
1920
            else:
2176
 
                # explicit readonly transport.
2177
1921
                self.__readonly_server = self.create_transport_readonly_server()
2178
 
            self.start_server(self.__readonly_server,
2179
 
                self.get_vfs_only_server())
 
1922
                self.__readonly_server.setUp(self.get_vfs_only_server())
 
1923
            self.addCleanup(self.__readonly_server.tearDown)
2180
1924
        return self.__readonly_server
2181
1925
 
2182
1926
    def get_readonly_url(self, relpath=None):
2201
1945
        """
2202
1946
        if self.__vfs_server is None:
2203
1947
            self.__vfs_server = MemoryServer()
2204
 
            self.start_server(self.__vfs_server)
 
1948
            self.__vfs_server.setUp()
 
1949
            self.addCleanup(self.__vfs_server.tearDown)
2205
1950
        return self.__vfs_server
2206
1951
 
2207
1952
    def get_server(self):
2214
1959
        then the self.get_vfs_server is returned.
2215
1960
        """
2216
1961
        if self.__server is None:
2217
 
            if (self.transport_server is None or self.transport_server is
2218
 
                self.vfs_transport_factory):
2219
 
                self.__server = self.get_vfs_only_server()
 
1962
            if self.transport_server is None or self.transport_server is self.vfs_transport_factory:
 
1963
                return self.get_vfs_only_server()
2220
1964
            else:
2221
1965
                # bring up a decorated means of access to the vfs only server.
2222
1966
                self.__server = self.transport_server()
2223
 
                self.start_server(self.__server, self.get_vfs_only_server())
 
1967
                try:
 
1968
                    self.__server.setUp(self.get_vfs_only_server())
 
1969
                except TypeError, e:
 
1970
                    # This should never happen; the try:Except here is to assist
 
1971
                    # developers having to update code rather than seeing an
 
1972
                    # uninformative TypeError.
 
1973
                    raise Exception, "Old server API in use: %s, %s" % (self.__server, e)
 
1974
            self.addCleanup(self.__server.tearDown)
2224
1975
        return self.__server
2225
1976
 
2226
1977
    def _adjust_url(self, base, relpath):
2288
2039
        propagating. This method ensures than a test did not leaked.
2289
2040
        """
2290
2041
        root = TestCaseWithMemoryTransport.TEST_ROOT
2291
 
        self.permit_url(get_transport(root).base)
2292
2042
        wt = workingtree.WorkingTree.open(root)
2293
2043
        last_rev = wt.last_revision()
2294
2044
        if last_rev != 'null:':
2296
2046
            # recreate a new one or all the followng tests will fail.
2297
2047
            # If you need to inspect its content uncomment the following line
2298
2048
            # import pdb; pdb.set_trace()
2299
 
            _rmtree_temp_dir(root + '/.bzr', test_id=self.id())
 
2049
            _rmtree_temp_dir(root + '/.bzr')
2300
2050
            self._create_safety_net()
2301
2051
            raise AssertionError('%s/.bzr should not be modified' % root)
2302
2052
 
2303
2053
    def _make_test_root(self):
2304
2054
        if TestCaseWithMemoryTransport.TEST_ROOT is None:
2305
 
            # Watch out for tricky test dir (on OSX /tmp -> /private/tmp)
2306
 
            root = osutils.realpath(osutils.mkdtemp(prefix='testbzr-',
2307
 
                                                    suffix='.tmp'))
 
2055
            root = osutils.mkdtemp(prefix='testbzr-', suffix='.tmp')
2308
2056
            TestCaseWithMemoryTransport.TEST_ROOT = root
2309
2057
 
2310
2058
            self._create_safety_net()
2313
2061
            # specifically told when all tests are finished.  This will do.
2314
2062
            atexit.register(_rmtree_temp_dir, root)
2315
2063
 
2316
 
        self.permit_dir(TestCaseWithMemoryTransport.TEST_ROOT)
2317
2064
        self.addCleanup(self._check_safety_net)
2318
2065
 
2319
2066
    def makeAndChdirToTestDir(self):
2327
2074
        os.chdir(TestCaseWithMemoryTransport.TEST_ROOT)
2328
2075
        self.test_dir = TestCaseWithMemoryTransport.TEST_ROOT
2329
2076
        self.test_home_dir = self.test_dir + "/MemoryTransportMissingHomeDir"
2330
 
        self.permit_dir(self.test_dir)
2331
2077
 
2332
2078
    def make_branch(self, relpath, format=None):
2333
2079
        """Create a branch on the transport at relpath."""
2362
2108
        made_control = self.make_bzrdir(relpath, format=format)
2363
2109
        return made_control.create_repository(shared=shared)
2364
2110
 
2365
 
    def make_smart_server(self, path):
2366
 
        smart_server = server.SmartTCPServer_for_testing()
2367
 
        self.start_server(smart_server, self.get_server())
2368
 
        remote_transport = get_transport(smart_server.get_url()).clone(path)
2369
 
        return remote_transport
2370
 
 
2371
2111
    def make_branch_and_memory_tree(self, relpath, format=None):
2372
2112
        """Create a branch on the default transport and a MemoryTree for it."""
2373
2113
        b = self.make_branch(relpath, format=format)
2374
2114
        return memorytree.MemoryTree.create_on_branch(b)
2375
2115
 
2376
2116
    def make_branch_builder(self, relpath, format=None):
2377
 
        branch = self.make_branch(relpath, format=format)
2378
 
        return branchbuilder.BranchBuilder(branch=branch)
 
2117
        return branchbuilder.BranchBuilder(self.get_transport(relpath),
 
2118
            format=format)
2379
2119
 
2380
2120
    def overrideEnvironmentForTesting(self):
2381
 
        test_home_dir = self.test_home_dir
2382
 
        if isinstance(test_home_dir, unicode):
2383
 
            test_home_dir = test_home_dir.encode(sys.getfilesystemencoding())
2384
 
        os.environ['HOME'] = test_home_dir
2385
 
        os.environ['BZR_HOME'] = test_home_dir
 
2121
        os.environ['HOME'] = self.test_home_dir
 
2122
        os.environ['BZR_HOME'] = self.test_home_dir
2386
2123
 
2387
2124
    def setUp(self):
2388
2125
        super(TestCaseWithMemoryTransport, self).setUp()
2389
2126
        self._make_test_root()
2390
 
        self.addCleanup(os.chdir, os.getcwdu())
 
2127
        _currentdir = os.getcwdu()
 
2128
        def _leaveDirectory():
 
2129
            os.chdir(_currentdir)
 
2130
        self.addCleanup(_leaveDirectory)
2391
2131
        self.makeAndChdirToTestDir()
2392
2132
        self.overrideEnvironmentForTesting()
2393
2133
        self.__readonly_server = None
2444
2184
 
2445
2185
    def _getTestDirPrefix(self):
2446
2186
        # create a directory within the top level test directory
2447
 
        if sys.platform in ('win32', 'cygwin'):
 
2187
        if sys.platform == 'win32':
2448
2188
            name_prefix = re.sub('[<>*=+",:;_/\\-]', '_', self.id())
2449
2189
            # windows is likely to have path-length limits so use a short name
2450
2190
            name_prefix = name_prefix[-30:]
2458
2198
        For TestCaseInTempDir we create a temporary directory based on the test
2459
2199
        name and then create two subdirs - test and home under it.
2460
2200
        """
2461
 
        name_prefix = osutils.pathjoin(TestCaseWithMemoryTransport.TEST_ROOT,
2462
 
            self._getTestDirPrefix())
 
2201
        name_prefix = osutils.pathjoin(self.TEST_ROOT, self._getTestDirPrefix())
2463
2202
        name = name_prefix
2464
2203
        for i in range(100):
2465
2204
            if os.path.exists(name):
2466
2205
                name = name_prefix + '_' + str(i)
2467
2206
            else:
2468
 
                # now create test and home directories within this dir
2469
 
                self.test_base_dir = name
2470
 
                self.addCleanup(self.deleteTestDir)
2471
 
                os.mkdir(self.test_base_dir)
 
2207
                os.mkdir(name)
2472
2208
                break
2473
 
        self.permit_dir(self.test_base_dir)
2474
 
        # 'sprouting' and 'init' of a branch both walk up the tree to find
2475
 
        # stacking policy to honour; create a bzr dir with an unshared
2476
 
        # repository (but not a branch - our code would be trying to escape
2477
 
        # then!) to stop them, and permit it to be read.
2478
 
        # control = bzrdir.BzrDir.create(self.test_base_dir)
2479
 
        # control.create_repository()
 
2209
        # now create test and home directories within this dir
 
2210
        self.test_base_dir = name
2480
2211
        self.test_home_dir = self.test_base_dir + '/home'
2481
2212
        os.mkdir(self.test_home_dir)
2482
2213
        self.test_dir = self.test_base_dir + '/work'
2488
2219
            f.write(self.id())
2489
2220
        finally:
2490
2221
            f.close()
 
2222
        self.addCleanup(self.deleteTestDir)
2491
2223
 
2492
2224
    def deleteTestDir(self):
2493
 
        os.chdir(TestCaseWithMemoryTransport.TEST_ROOT)
2494
 
        _rmtree_temp_dir(self.test_base_dir, test_id=self.id())
 
2225
        os.chdir(self.TEST_ROOT)
 
2226
        _rmtree_temp_dir(self.test_base_dir)
2495
2227
 
2496
2228
    def build_tree(self, shape, line_endings='binary', transport=None):
2497
2229
        """Build a test tree according to a pattern.
2579
2311
        """
2580
2312
        if self.__vfs_server is None:
2581
2313
            self.__vfs_server = self.vfs_transport_factory()
2582
 
            self.start_server(self.__vfs_server)
 
2314
            self.__vfs_server.setUp()
 
2315
            self.addCleanup(self.__vfs_server.tearDown)
2583
2316
        return self.__vfs_server
2584
2317
 
2585
2318
    def make_branch_and_tree(self, relpath, format=None):
2592
2325
        repository will also be accessed locally. Otherwise a lightweight
2593
2326
        checkout is created and returned.
2594
2327
 
2595
 
        We do this because we can't physically create a tree in the local
2596
 
        path, with a branch reference to the transport_factory url, and
2597
 
        a branch + repository in the vfs_transport, unless the vfs_transport
2598
 
        namespace is distinct from the local disk - the two branch objects
2599
 
        would collide. While we could construct a tree with its branch object
2600
 
        pointing at the transport_factory transport in memory, reopening it
2601
 
        would behaving unexpectedly, and has in the past caused testing bugs
2602
 
        when we tried to do it that way.
2603
 
 
2604
2328
        :param format: The BzrDirFormat.
2605
2329
        :returns: the WorkingTree.
2606
2330
        """
2658
2382
        super(TestCaseWithTransport, self).setUp()
2659
2383
        self.__vfs_server = None
2660
2384
 
2661
 
    def disable_missing_extensions_warning(self):
2662
 
        """Some tests expect a precise stderr content.
2663
 
 
2664
 
        There is no point in forcing them to duplicate the extension related
2665
 
        warning.
2666
 
        """
2667
 
        config.GlobalConfig().set_user_option('ignore_missing_extensions', True)
2668
 
 
2669
2385
 
2670
2386
class ChrootedTestCase(TestCaseWithTransport):
2671
2387
    """A support class that provides readonly urls outside the local namespace.
2691
2407
    :param pattern: A regular expression string.
2692
2408
    :return: A callable that returns True if the re matches.
2693
2409
    """
2694
 
    filter_re = osutils.re_compile_checked(pattern, 0,
2695
 
        'test filter')
 
2410
    filter_re = re.compile(pattern)
2696
2411
    def condition(test):
2697
2412
        test_id = test.id()
2698
2413
        return filter_re.search(test_id)
2883
2598
              random_seed=None,
2884
2599
              exclude_pattern=None,
2885
2600
              strict=False,
2886
 
              runner_class=None,
2887
 
              suite_decorators=None,
2888
 
              stream=None,
2889
 
              result_decorators=None,
2890
 
              ):
 
2601
              runner_class=None):
2891
2602
    """Run a test suite for bzr selftest.
2892
2603
 
2893
2604
    :param runner_class: The class of runner to use. Must support the
2902
2613
        verbosity = 1
2903
2614
    if runner_class is None:
2904
2615
        runner_class = TextTestRunner
2905
 
    if stream is None:
2906
 
        stream = sys.stdout
2907
 
    runner = runner_class(stream=stream,
 
2616
    runner = runner_class(stream=sys.stdout,
2908
2617
                            descriptions=0,
2909
2618
                            verbosity=verbosity,
2910
2619
                            bench_history=bench_history,
2911
 
                            strict=strict,
2912
 
                            result_decorators=result_decorators,
 
2620
                            list_only=list_only,
2913
2621
                            )
2914
2622
    runner.stop_on_failure=stop_on_failure
2915
 
    # built in decorator factories:
2916
 
    decorators = [
2917
 
        random_order(random_seed, runner),
2918
 
        exclude_tests(exclude_pattern),
2919
 
        ]
2920
 
    if matching_tests_first:
2921
 
        decorators.append(tests_first(pattern))
 
2623
    # Initialise the random number generator and display the seed used.
 
2624
    # We convert the seed to a long to make it reuseable across invocations.
 
2625
    random_order = False
 
2626
    if random_seed is not None:
 
2627
        random_order = True
 
2628
        if random_seed == "now":
 
2629
            random_seed = long(time.time())
 
2630
        else:
 
2631
            # Convert the seed to a long if we can
 
2632
            try:
 
2633
                random_seed = long(random_seed)
 
2634
            except:
 
2635
                pass
 
2636
        runner.stream.writeln("Randomizing test order using seed %s\n" %
 
2637
            (random_seed))
 
2638
        random.seed(random_seed)
 
2639
    # Customise the list of tests if requested
 
2640
    if exclude_pattern is not None:
 
2641
        suite = exclude_tests_by_re(suite, exclude_pattern)
 
2642
    if random_order:
 
2643
        order_changer = randomize_suite
2922
2644
    else:
2923
 
        decorators.append(filter_tests(pattern))
2924
 
    if suite_decorators:
2925
 
        decorators.extend(suite_decorators)
2926
 
    # tell the result object how many tests will be running: (except if
2927
 
    # --parallel=fork is being used. Robert said he will provide a better
2928
 
    # progress design later -- vila 20090817)
2929
 
    if fork_decorator not in decorators:
2930
 
        decorators.append(CountingDecorator)
2931
 
    for decorator in decorators:
2932
 
        suite = decorator(suite)
2933
 
    if list_only:
2934
 
        # Done after test suite decoration to allow randomisation etc
2935
 
        # to take effect, though that is of marginal benefit.
2936
 
        if verbosity >= 2:
2937
 
            stream.write("Listing tests only ...\n")
2938
 
        for t in iter_suite_tests(suite):
2939
 
            stream.write("%s\n" % (t.id()))
2940
 
        return True
 
2645
        order_changer = preserve_input
 
2646
    if pattern != '.*' or random_order:
 
2647
        if matching_tests_first:
 
2648
            suites = map(order_changer, split_suite_by_re(suite, pattern))
 
2649
            suite = TestUtil.TestSuite(suites)
 
2650
        else:
 
2651
            suite = order_changer(filter_suite_by_re(suite, pattern))
 
2652
 
2941
2653
    result = runner.run(suite)
 
2654
 
2942
2655
    if strict:
2943
2656
        return result.wasStrictlySuccessful()
2944
 
    else:
2945
 
        return result.wasSuccessful()
2946
 
 
2947
 
 
2948
 
# A registry where get() returns a suite decorator.
2949
 
parallel_registry = registry.Registry()
2950
 
 
2951
 
 
2952
 
def fork_decorator(suite):
2953
 
    concurrency = osutils.local_concurrency()
2954
 
    if concurrency == 1:
2955
 
        return suite
2956
 
    from testtools import ConcurrentTestSuite
2957
 
    return ConcurrentTestSuite(suite, fork_for_tests)
2958
 
parallel_registry.register('fork', fork_decorator)
2959
 
 
2960
 
 
2961
 
def subprocess_decorator(suite):
2962
 
    concurrency = osutils.local_concurrency()
2963
 
    if concurrency == 1:
2964
 
        return suite
2965
 
    from testtools import ConcurrentTestSuite
2966
 
    return ConcurrentTestSuite(suite, reinvoke_for_tests)
2967
 
parallel_registry.register('subprocess', subprocess_decorator)
2968
 
 
2969
 
 
2970
 
def exclude_tests(exclude_pattern):
2971
 
    """Return a test suite decorator that excludes tests."""
2972
 
    if exclude_pattern is None:
2973
 
        return identity_decorator
2974
 
    def decorator(suite):
2975
 
        return ExcludeDecorator(suite, exclude_pattern)
2976
 
    return decorator
2977
 
 
2978
 
 
2979
 
def filter_tests(pattern):
2980
 
    if pattern == '.*':
2981
 
        return identity_decorator
2982
 
    def decorator(suite):
2983
 
        return FilterTestsDecorator(suite, pattern)
2984
 
    return decorator
2985
 
 
2986
 
 
2987
 
def random_order(random_seed, runner):
2988
 
    """Return a test suite decorator factory for randomising tests order.
2989
 
    
2990
 
    :param random_seed: now, a string which casts to a long, or a long.
2991
 
    :param runner: A test runner with a stream attribute to report on.
2992
 
    """
2993
 
    if random_seed is None:
2994
 
        return identity_decorator
2995
 
    def decorator(suite):
2996
 
        return RandomDecorator(suite, random_seed, runner.stream)
2997
 
    return decorator
2998
 
 
2999
 
 
3000
 
def tests_first(pattern):
3001
 
    if pattern == '.*':
3002
 
        return identity_decorator
3003
 
    def decorator(suite):
3004
 
        return TestFirstDecorator(suite, pattern)
3005
 
    return decorator
3006
 
 
3007
 
 
3008
 
def identity_decorator(suite):
3009
 
    """Return suite."""
3010
 
    return suite
3011
 
 
3012
 
 
3013
 
class TestDecorator(TestSuite):
3014
 
    """A decorator for TestCase/TestSuite objects.
3015
 
    
3016
 
    Usually, subclasses should override __iter__(used when flattening test
3017
 
    suites), which we do to filter, reorder, parallelise and so on, run() and
3018
 
    debug().
3019
 
    """
3020
 
 
3021
 
    def __init__(self, suite):
3022
 
        TestSuite.__init__(self)
3023
 
        self.addTest(suite)
3024
 
 
3025
 
    def countTestCases(self):
3026
 
        cases = 0
3027
 
        for test in self:
3028
 
            cases += test.countTestCases()
3029
 
        return cases
3030
 
 
3031
 
    def debug(self):
3032
 
        for test in self:
3033
 
            test.debug()
3034
 
 
3035
 
    def run(self, result):
3036
 
        # Use iteration on self, not self._tests, to allow subclasses to hook
3037
 
        # into __iter__.
3038
 
        for test in self:
3039
 
            if result.shouldStop:
3040
 
                break
3041
 
            test.run(result)
3042
 
        return result
3043
 
 
3044
 
 
3045
 
class CountingDecorator(TestDecorator):
3046
 
    """A decorator which calls result.progress(self.countTestCases)."""
3047
 
 
3048
 
    def run(self, result):
3049
 
        progress_method = getattr(result, 'progress', None)
3050
 
        if callable(progress_method):
3051
 
            progress_method(self.countTestCases(), SUBUNIT_SEEK_SET)
3052
 
        return super(CountingDecorator, self).run(result)
3053
 
 
3054
 
 
3055
 
class ExcludeDecorator(TestDecorator):
3056
 
    """A decorator which excludes test matching an exclude pattern."""
3057
 
 
3058
 
    def __init__(self, suite, exclude_pattern):
3059
 
        TestDecorator.__init__(self, suite)
3060
 
        self.exclude_pattern = exclude_pattern
3061
 
        self.excluded = False
3062
 
 
3063
 
    def __iter__(self):
3064
 
        if self.excluded:
3065
 
            return iter(self._tests)
3066
 
        self.excluded = True
3067
 
        suite = exclude_tests_by_re(self, self.exclude_pattern)
3068
 
        del self._tests[:]
3069
 
        self.addTests(suite)
3070
 
        return iter(self._tests)
3071
 
 
3072
 
 
3073
 
class FilterTestsDecorator(TestDecorator):
3074
 
    """A decorator which filters tests to those matching a pattern."""
3075
 
 
3076
 
    def __init__(self, suite, pattern):
3077
 
        TestDecorator.__init__(self, suite)
3078
 
        self.pattern = pattern
3079
 
        self.filtered = False
3080
 
 
3081
 
    def __iter__(self):
3082
 
        if self.filtered:
3083
 
            return iter(self._tests)
3084
 
        self.filtered = True
3085
 
        suite = filter_suite_by_re(self, self.pattern)
3086
 
        del self._tests[:]
3087
 
        self.addTests(suite)
3088
 
        return iter(self._tests)
3089
 
 
3090
 
 
3091
 
class RandomDecorator(TestDecorator):
3092
 
    """A decorator which randomises the order of its tests."""
3093
 
 
3094
 
    def __init__(self, suite, random_seed, stream):
3095
 
        TestDecorator.__init__(self, suite)
3096
 
        self.random_seed = random_seed
3097
 
        self.randomised = False
3098
 
        self.stream = stream
3099
 
 
3100
 
    def __iter__(self):
3101
 
        if self.randomised:
3102
 
            return iter(self._tests)
3103
 
        self.randomised = True
3104
 
        self.stream.write("Randomizing test order using seed %s\n\n" %
3105
 
            (self.actual_seed()))
3106
 
        # Initialise the random number generator.
3107
 
        random.seed(self.actual_seed())
3108
 
        suite = randomize_suite(self)
3109
 
        del self._tests[:]
3110
 
        self.addTests(suite)
3111
 
        return iter(self._tests)
3112
 
 
3113
 
    def actual_seed(self):
3114
 
        if self.random_seed == "now":
3115
 
            # We convert the seed to a long to make it reuseable across
3116
 
            # invocations (because the user can reenter it).
3117
 
            self.random_seed = long(time.time())
3118
 
        else:
3119
 
            # Convert the seed to a long if we can
3120
 
            try:
3121
 
                self.random_seed = long(self.random_seed)
3122
 
            except:
3123
 
                pass
3124
 
        return self.random_seed
3125
 
 
3126
 
 
3127
 
class TestFirstDecorator(TestDecorator):
3128
 
    """A decorator which moves named tests to the front."""
3129
 
 
3130
 
    def __init__(self, suite, pattern):
3131
 
        TestDecorator.__init__(self, suite)
3132
 
        self.pattern = pattern
3133
 
        self.filtered = False
3134
 
 
3135
 
    def __iter__(self):
3136
 
        if self.filtered:
3137
 
            return iter(self._tests)
3138
 
        self.filtered = True
3139
 
        suites = split_suite_by_re(self, self.pattern)
3140
 
        del self._tests[:]
3141
 
        self.addTests(suites)
3142
 
        return iter(self._tests)
3143
 
 
3144
 
 
3145
 
def partition_tests(suite, count):
3146
 
    """Partition suite into count lists of tests."""
3147
 
    result = []
3148
 
    tests = list(iter_suite_tests(suite))
3149
 
    tests_per_process = int(math.ceil(float(len(tests)) / count))
3150
 
    for block in range(count):
3151
 
        low_test = block * tests_per_process
3152
 
        high_test = low_test + tests_per_process
3153
 
        process_tests = tests[low_test:high_test]
3154
 
        result.append(process_tests)
3155
 
    return result
3156
 
 
3157
 
 
3158
 
def fork_for_tests(suite):
3159
 
    """Take suite and start up one runner per CPU by forking()
3160
 
 
3161
 
    :return: An iterable of TestCase-like objects which can each have
3162
 
        run(result) called on them to feed tests to result.
3163
 
    """
3164
 
    concurrency = osutils.local_concurrency()
3165
 
    result = []
3166
 
    from subunit import TestProtocolClient, ProtocolTestCase
3167
 
    from subunit.test_results import AutoTimingTestResultDecorator
3168
 
    class TestInOtherProcess(ProtocolTestCase):
3169
 
        # Should be in subunit, I think. RBC.
3170
 
        def __init__(self, stream, pid):
3171
 
            ProtocolTestCase.__init__(self, stream)
3172
 
            self.pid = pid
3173
 
 
3174
 
        def run(self, result):
3175
 
            try:
3176
 
                ProtocolTestCase.run(self, result)
3177
 
            finally:
3178
 
                os.waitpid(self.pid, os.WNOHANG)
3179
 
 
3180
 
    test_blocks = partition_tests(suite, concurrency)
3181
 
    for process_tests in test_blocks:
3182
 
        process_suite = TestSuite()
3183
 
        process_suite.addTests(process_tests)
3184
 
        c2pread, c2pwrite = os.pipe()
3185
 
        pid = os.fork()
3186
 
        if pid == 0:
3187
 
            try:
3188
 
                os.close(c2pread)
3189
 
                # Leave stderr and stdout open so we can see test noise
3190
 
                # Close stdin so that the child goes away if it decides to
3191
 
                # read from stdin (otherwise its a roulette to see what
3192
 
                # child actually gets keystrokes for pdb etc).
3193
 
                sys.stdin.close()
3194
 
                sys.stdin = None
3195
 
                stream = os.fdopen(c2pwrite, 'wb', 1)
3196
 
                subunit_result = AutoTimingTestResultDecorator(
3197
 
                    TestProtocolClient(stream))
3198
 
                process_suite.run(subunit_result)
3199
 
            finally:
3200
 
                os._exit(0)
3201
 
        else:
3202
 
            os.close(c2pwrite)
3203
 
            stream = os.fdopen(c2pread, 'rb', 1)
3204
 
            test = TestInOtherProcess(stream, pid)
3205
 
            result.append(test)
3206
 
    return result
3207
 
 
3208
 
 
3209
 
def reinvoke_for_tests(suite):
3210
 
    """Take suite and start up one runner per CPU using subprocess().
3211
 
 
3212
 
    :return: An iterable of TestCase-like objects which can each have
3213
 
        run(result) called on them to feed tests to result.
3214
 
    """
3215
 
    concurrency = osutils.local_concurrency()
3216
 
    result = []
3217
 
    from subunit import ProtocolTestCase
3218
 
    class TestInSubprocess(ProtocolTestCase):
3219
 
        def __init__(self, process, name):
3220
 
            ProtocolTestCase.__init__(self, process.stdout)
3221
 
            self.process = process
3222
 
            self.process.stdin.close()
3223
 
            self.name = name
3224
 
 
3225
 
        def run(self, result):
3226
 
            try:
3227
 
                ProtocolTestCase.run(self, result)
3228
 
            finally:
3229
 
                self.process.wait()
3230
 
                os.unlink(self.name)
3231
 
            # print "pid %d finished" % finished_process
3232
 
    test_blocks = partition_tests(suite, concurrency)
3233
 
    for process_tests in test_blocks:
3234
 
        # ugly; currently reimplement rather than reuses TestCase methods.
3235
 
        bzr_path = os.path.dirname(os.path.dirname(bzrlib.__file__))+'/bzr'
3236
 
        if not os.path.isfile(bzr_path):
3237
 
            # We are probably installed. Assume sys.argv is the right file
3238
 
            bzr_path = sys.argv[0]
3239
 
        bzr_path = [bzr_path]
3240
 
        if sys.platform == "win32":
3241
 
            # if we're on windows, we can't execute the bzr script directly
3242
 
            bzr_path = [sys.executable] + bzr_path
3243
 
        fd, test_list_file_name = tempfile.mkstemp()
3244
 
        test_list_file = os.fdopen(fd, 'wb', 1)
3245
 
        for test in process_tests:
3246
 
            test_list_file.write(test.id() + '\n')
3247
 
        test_list_file.close()
3248
 
        try:
3249
 
            argv = bzr_path + ['selftest', '--load-list', test_list_file_name,
3250
 
                '--subunit']
3251
 
            if '--no-plugins' in sys.argv:
3252
 
                argv.append('--no-plugins')
3253
 
            # stderr=STDOUT would be ideal, but until we prevent noise on
3254
 
            # stderr it can interrupt the subunit protocol.
3255
 
            process = Popen(argv, stdin=PIPE, stdout=PIPE, stderr=PIPE,
3256
 
                bufsize=1)
3257
 
            test = TestInSubprocess(process, test_list_file_name)
3258
 
            result.append(test)
3259
 
        except:
3260
 
            os.unlink(test_list_file_name)
3261
 
            raise
3262
 
    return result
3263
 
 
3264
 
 
3265
 
class ForwardingResult(unittest.TestResult):
3266
 
 
3267
 
    def __init__(self, target):
3268
 
        unittest.TestResult.__init__(self)
3269
 
        self.result = target
3270
 
 
3271
 
    def startTest(self, test):
3272
 
        self.result.startTest(test)
3273
 
 
3274
 
    def stopTest(self, test):
3275
 
        self.result.stopTest(test)
3276
 
 
3277
 
    def startTestRun(self):
3278
 
        self.result.startTestRun()
3279
 
 
3280
 
    def stopTestRun(self):
3281
 
        self.result.stopTestRun()
3282
 
 
3283
 
    def addSkip(self, test, reason):
3284
 
        self.result.addSkip(test, reason)
3285
 
 
3286
 
    def addSuccess(self, test):
3287
 
        self.result.addSuccess(test)
3288
 
 
3289
 
    def addError(self, test, err):
3290
 
        self.result.addError(test, err)
3291
 
 
3292
 
    def addFailure(self, test, err):
3293
 
        self.result.addFailure(test, err)
3294
 
ForwardingResult = testtools.ExtendedToOriginalDecorator
3295
 
 
3296
 
 
3297
 
class ProfileResult(ForwardingResult):
3298
 
    """Generate profiling data for all activity between start and success.
3299
 
    
3300
 
    The profile data is appended to the test's _benchcalls attribute and can
3301
 
    be accessed by the forwarded-to TestResult.
3302
 
 
3303
 
    While it might be cleaner do accumulate this in stopTest, addSuccess is
3304
 
    where our existing output support for lsprof is, and this class aims to
3305
 
    fit in with that: while it could be moved it's not necessary to accomplish
3306
 
    test profiling, nor would it be dramatically cleaner.
3307
 
    """
3308
 
 
3309
 
    def startTest(self, test):
3310
 
        self.profiler = bzrlib.lsprof.BzrProfiler()
3311
 
        self.profiler.start()
3312
 
        ForwardingResult.startTest(self, test)
3313
 
 
3314
 
    def addSuccess(self, test):
3315
 
        stats = self.profiler.stop()
3316
 
        try:
3317
 
            calls = test._benchcalls
3318
 
        except AttributeError:
3319
 
            test._benchcalls = []
3320
 
            calls = test._benchcalls
3321
 
        calls.append(((test.id(), "", ""), stats))
3322
 
        ForwardingResult.addSuccess(self, test)
3323
 
 
3324
 
    def stopTest(self, test):
3325
 
        ForwardingResult.stopTest(self, test)
3326
 
        self.profiler = None
 
2657
 
 
2658
    return result.wasSuccessful()
3327
2659
 
3328
2660
 
3329
2661
# Controlled by "bzr selftest -E=..." option
3330
 
# Currently supported:
3331
 
#   -Eallow_debug           Will no longer clear debug.debug_flags() so it
3332
 
#                           preserves any flags supplied at the command line.
3333
 
#   -Edisable_lock_checks   Turns errors in mismatched locks into simple prints
3334
 
#                           rather than failing tests. And no longer raise
3335
 
#                           LockContention when fctnl locks are not being used
3336
 
#                           with proper exclusion rules.
3337
2662
selftest_debug_flags = set()
3338
2663
 
3339
2664
 
3351
2676
             debug_flags=None,
3352
2677
             starting_with=None,
3353
2678
             runner_class=None,
3354
 
             suite_decorators=None,
3355
 
             stream=None,
3356
 
             lsprof_tests=False,
3357
2679
             ):
3358
2680
    """Run the whole test suite under the enhanced runner"""
3359
2681
    # XXX: Very ugly way to do this...
3376
2698
            keep_only = None
3377
2699
        else:
3378
2700
            keep_only = load_test_id_list(load_list)
3379
 
        if starting_with:
3380
 
            starting_with = [test_prefix_alias_registry.resolve_alias(start)
3381
 
                             for start in starting_with]
3382
2701
        if test_suite_factory is None:
3383
 
            # Reduce loading time by loading modules based on the starting_with
3384
 
            # patterns.
3385
2702
            suite = test_suite(keep_only, starting_with)
3386
2703
        else:
3387
2704
            suite = test_suite_factory()
3388
 
        if starting_with:
3389
 
            # But always filter as requested.
3390
 
            suite = filter_suite_by_id_startswith(suite, starting_with)
3391
 
        result_decorators = []
3392
 
        if lsprof_tests:
3393
 
            result_decorators.append(ProfileResult)
3394
2705
        return run_suite(suite, 'testbzr', verbose=verbose, pattern=pattern,
3395
2706
                     stop_on_failure=stop_on_failure,
3396
2707
                     transport=transport,
3402
2713
                     exclude_pattern=exclude_pattern,
3403
2714
                     strict=strict,
3404
2715
                     runner_class=runner_class,
3405
 
                     suite_decorators=suite_decorators,
3406
 
                     stream=stream,
3407
 
                     result_decorators=result_decorators,
3408
2716
                     )
3409
2717
    finally:
3410
2718
        default_transport = old_transport
3558
2866
# appear prefixed ('bzrlib.' is "replaced" by 'bzrlib.').
3559
2867
test_prefix_alias_registry.register('bzrlib', 'bzrlib')
3560
2868
 
3561
 
# Obvious highest levels prefixes, feel free to add your own via a plugin
 
2869
# Obvious higest levels prefixes, feel free to add your own via a plugin
3562
2870
test_prefix_alias_registry.register('bd', 'bzrlib.doc')
3563
2871
test_prefix_alias_registry.register('bu', 'bzrlib.utils')
3564
2872
test_prefix_alias_registry.register('bt', 'bzrlib.tests')
3566
2874
test_prefix_alias_registry.register('bp', 'bzrlib.plugins')
3567
2875
 
3568
2876
 
3569
 
def _test_suite_testmod_names():
3570
 
    """Return the standard list of test module names to test."""
3571
 
    return [
3572
 
        'bzrlib.doc',
3573
 
        'bzrlib.tests.blackbox',
3574
 
        'bzrlib.tests.commands',
3575
 
        'bzrlib.tests.per_branch',
3576
 
        'bzrlib.tests.per_bzrdir',
3577
 
        'bzrlib.tests.per_foreign_vcs',
3578
 
        'bzrlib.tests.per_interrepository',
3579
 
        'bzrlib.tests.per_intertree',
3580
 
        'bzrlib.tests.per_inventory',
3581
 
        'bzrlib.tests.per_interbranch',
3582
 
        'bzrlib.tests.per_lock',
3583
 
        'bzrlib.tests.per_merger',
3584
 
        'bzrlib.tests.per_transport',
3585
 
        'bzrlib.tests.per_tree',
3586
 
        'bzrlib.tests.per_pack_repository',
3587
 
        'bzrlib.tests.per_repository',
3588
 
        'bzrlib.tests.per_repository_chk',
3589
 
        'bzrlib.tests.per_repository_reference',
3590
 
        'bzrlib.tests.per_uifactory',
3591
 
        'bzrlib.tests.per_versionedfile',
3592
 
        'bzrlib.tests.per_workingtree',
3593
 
        'bzrlib.tests.test__annotator',
3594
 
        'bzrlib.tests.test__bencode',
3595
 
        'bzrlib.tests.test__chk_map',
3596
 
        'bzrlib.tests.test__dirstate_helpers',
3597
 
        'bzrlib.tests.test__groupcompress',
3598
 
        'bzrlib.tests.test__known_graph',
3599
 
        'bzrlib.tests.test__rio',
3600
 
        'bzrlib.tests.test__simple_set',
3601
 
        'bzrlib.tests.test__static_tuple',
3602
 
        'bzrlib.tests.test__walkdirs_win32',
3603
 
        'bzrlib.tests.test_ancestry',
3604
 
        'bzrlib.tests.test_annotate',
3605
 
        'bzrlib.tests.test_api',
3606
 
        'bzrlib.tests.test_atomicfile',
3607
 
        'bzrlib.tests.test_bad_files',
3608
 
        'bzrlib.tests.test_bisect_multi',
3609
 
        'bzrlib.tests.test_branch',
3610
 
        'bzrlib.tests.test_branchbuilder',
3611
 
        'bzrlib.tests.test_btree_index',
3612
 
        'bzrlib.tests.test_bugtracker',
3613
 
        'bzrlib.tests.test_bundle',
3614
 
        'bzrlib.tests.test_bzrdir',
3615
 
        'bzrlib.tests.test__chunks_to_lines',
3616
 
        'bzrlib.tests.test_cache_utf8',
3617
 
        'bzrlib.tests.test_chk_map',
3618
 
        'bzrlib.tests.test_chk_serializer',
3619
 
        'bzrlib.tests.test_chunk_writer',
3620
 
        'bzrlib.tests.test_clean_tree',
3621
 
        'bzrlib.tests.test_cleanup',
3622
 
        'bzrlib.tests.test_commands',
3623
 
        'bzrlib.tests.test_commit',
3624
 
        'bzrlib.tests.test_commit_merge',
3625
 
        'bzrlib.tests.test_config',
3626
 
        'bzrlib.tests.test_conflicts',
3627
 
        'bzrlib.tests.test_counted_lock',
3628
 
        'bzrlib.tests.test_crash',
3629
 
        'bzrlib.tests.test_decorators',
3630
 
        'bzrlib.tests.test_delta',
3631
 
        'bzrlib.tests.test_debug',
3632
 
        'bzrlib.tests.test_deprecated_graph',
3633
 
        'bzrlib.tests.test_diff',
3634
 
        'bzrlib.tests.test_directory_service',
3635
 
        'bzrlib.tests.test_dirstate',
3636
 
        'bzrlib.tests.test_email_message',
3637
 
        'bzrlib.tests.test_eol_filters',
3638
 
        'bzrlib.tests.test_errors',
3639
 
        'bzrlib.tests.test_export',
3640
 
        'bzrlib.tests.test_extract',
3641
 
        'bzrlib.tests.test_fetch',
3642
 
        'bzrlib.tests.test_fifo_cache',
3643
 
        'bzrlib.tests.test_filters',
3644
 
        'bzrlib.tests.test_ftp_transport',
3645
 
        'bzrlib.tests.test_foreign',
3646
 
        'bzrlib.tests.test_generate_docs',
3647
 
        'bzrlib.tests.test_generate_ids',
3648
 
        'bzrlib.tests.test_globbing',
3649
 
        'bzrlib.tests.test_gpg',
3650
 
        'bzrlib.tests.test_graph',
3651
 
        'bzrlib.tests.test_groupcompress',
3652
 
        'bzrlib.tests.test_hashcache',
3653
 
        'bzrlib.tests.test_help',
3654
 
        'bzrlib.tests.test_hooks',
3655
 
        'bzrlib.tests.test_http',
3656
 
        'bzrlib.tests.test_http_response',
3657
 
        'bzrlib.tests.test_https_ca_bundle',
3658
 
        'bzrlib.tests.test_identitymap',
3659
 
        'bzrlib.tests.test_ignores',
3660
 
        'bzrlib.tests.test_index',
3661
 
        'bzrlib.tests.test_info',
3662
 
        'bzrlib.tests.test_inv',
3663
 
        'bzrlib.tests.test_inventory_delta',
3664
 
        'bzrlib.tests.test_knit',
3665
 
        'bzrlib.tests.test_lazy_import',
3666
 
        'bzrlib.tests.test_lazy_regex',
3667
 
        'bzrlib.tests.test_lock',
3668
 
        'bzrlib.tests.test_lockable_files',
3669
 
        'bzrlib.tests.test_lockdir',
3670
 
        'bzrlib.tests.test_log',
3671
 
        'bzrlib.tests.test_lru_cache',
3672
 
        'bzrlib.tests.test_lsprof',
3673
 
        'bzrlib.tests.test_mail_client',
3674
 
        'bzrlib.tests.test_memorytree',
3675
 
        'bzrlib.tests.test_merge',
3676
 
        'bzrlib.tests.test_merge3',
3677
 
        'bzrlib.tests.test_merge_core',
3678
 
        'bzrlib.tests.test_merge_directive',
3679
 
        'bzrlib.tests.test_missing',
3680
 
        'bzrlib.tests.test_msgeditor',
3681
 
        'bzrlib.tests.test_multiparent',
3682
 
        'bzrlib.tests.test_mutabletree',
3683
 
        'bzrlib.tests.test_nonascii',
3684
 
        'bzrlib.tests.test_options',
3685
 
        'bzrlib.tests.test_osutils',
3686
 
        'bzrlib.tests.test_osutils_encodings',
3687
 
        'bzrlib.tests.test_pack',
3688
 
        'bzrlib.tests.test_patch',
3689
 
        'bzrlib.tests.test_patches',
3690
 
        'bzrlib.tests.test_permissions',
3691
 
        'bzrlib.tests.test_plugins',
3692
 
        'bzrlib.tests.test_progress',
3693
 
        'bzrlib.tests.test_read_bundle',
3694
 
        'bzrlib.tests.test_reconcile',
3695
 
        'bzrlib.tests.test_reconfigure',
3696
 
        'bzrlib.tests.test_registry',
3697
 
        'bzrlib.tests.test_remote',
3698
 
        'bzrlib.tests.test_rename_map',
3699
 
        'bzrlib.tests.test_repository',
3700
 
        'bzrlib.tests.test_revert',
3701
 
        'bzrlib.tests.test_revision',
3702
 
        'bzrlib.tests.test_revisionspec',
3703
 
        'bzrlib.tests.test_revisiontree',
3704
 
        'bzrlib.tests.test_rio',
3705
 
        'bzrlib.tests.test_rules',
3706
 
        'bzrlib.tests.test_sampler',
3707
 
        'bzrlib.tests.test_script',
3708
 
        'bzrlib.tests.test_selftest',
3709
 
        'bzrlib.tests.test_serializer',
3710
 
        'bzrlib.tests.test_setup',
3711
 
        'bzrlib.tests.test_sftp_transport',
3712
 
        'bzrlib.tests.test_shelf',
3713
 
        'bzrlib.tests.test_shelf_ui',
3714
 
        'bzrlib.tests.test_smart',
3715
 
        'bzrlib.tests.test_smart_add',
3716
 
        'bzrlib.tests.test_smart_request',
3717
 
        'bzrlib.tests.test_smart_transport',
3718
 
        'bzrlib.tests.test_smtp_connection',
3719
 
        'bzrlib.tests.test_source',
3720
 
        'bzrlib.tests.test_ssh_transport',
3721
 
        'bzrlib.tests.test_status',
3722
 
        'bzrlib.tests.test_store',
3723
 
        'bzrlib.tests.test_strace',
3724
 
        'bzrlib.tests.test_subsume',
3725
 
        'bzrlib.tests.test_switch',
3726
 
        'bzrlib.tests.test_symbol_versioning',
3727
 
        'bzrlib.tests.test_tag',
3728
 
        'bzrlib.tests.test_testament',
3729
 
        'bzrlib.tests.test_textfile',
3730
 
        'bzrlib.tests.test_textmerge',
3731
 
        'bzrlib.tests.test_timestamp',
3732
 
        'bzrlib.tests.test_trace',
3733
 
        'bzrlib.tests.test_transactions',
3734
 
        'bzrlib.tests.test_transform',
3735
 
        'bzrlib.tests.test_transport',
3736
 
        'bzrlib.tests.test_transport_log',
3737
 
        'bzrlib.tests.test_tree',
3738
 
        'bzrlib.tests.test_treebuilder',
3739
 
        'bzrlib.tests.test_tsort',
3740
 
        'bzrlib.tests.test_tuned_gzip',
3741
 
        'bzrlib.tests.test_ui',
3742
 
        'bzrlib.tests.test_uncommit',
3743
 
        'bzrlib.tests.test_upgrade',
3744
 
        'bzrlib.tests.test_upgrade_stacked',
3745
 
        'bzrlib.tests.test_urlutils',
3746
 
        'bzrlib.tests.test_version',
3747
 
        'bzrlib.tests.test_version_info',
3748
 
        'bzrlib.tests.test_weave',
3749
 
        'bzrlib.tests.test_whitebox',
3750
 
        'bzrlib.tests.test_win32utils',
3751
 
        'bzrlib.tests.test_workingtree',
3752
 
        'bzrlib.tests.test_workingtree_4',
3753
 
        'bzrlib.tests.test_wsgi',
3754
 
        'bzrlib.tests.test_xml',
3755
 
        ]
3756
 
 
3757
 
 
3758
 
def _test_suite_modules_to_doctest():
3759
 
    """Return the list of modules to doctest."""   
3760
 
    return [
3761
 
        'bzrlib',
3762
 
        'bzrlib.branchbuilder',
3763
 
        'bzrlib.decorators',
3764
 
        'bzrlib.export',
3765
 
        'bzrlib.inventory',
3766
 
        'bzrlib.iterablefile',
3767
 
        'bzrlib.lockdir',
3768
 
        'bzrlib.merge3',
3769
 
        'bzrlib.option',
3770
 
        'bzrlib.symbol_versioning',
3771
 
        'bzrlib.tests',
3772
 
        'bzrlib.timestamp',
3773
 
        'bzrlib.version_info_formats.format_custom',
3774
 
        ]
3775
 
 
3776
 
 
3777
2877
def test_suite(keep_only=None, starting_with=None):
3778
2878
    """Build and return TestSuite for the whole of bzrlib.
3779
2879
 
3785
2885
    This function can be replaced if you need to change the default test
3786
2886
    suite on a global basis, but it is not encouraged.
3787
2887
    """
 
2888
    testmod_names = [
 
2889
                   'bzrlib.doc',
 
2890
                   'bzrlib.tests.blackbox',
 
2891
                   'bzrlib.tests.branch_implementations',
 
2892
                   'bzrlib.tests.bzrdir_implementations',
 
2893
                   'bzrlib.tests.commands',
 
2894
                   'bzrlib.tests.interrepository_implementations',
 
2895
                   'bzrlib.tests.intertree_implementations',
 
2896
                   'bzrlib.tests.inventory_implementations',
 
2897
                   'bzrlib.tests.per_interbranch',
 
2898
                   'bzrlib.tests.per_lock',
 
2899
                   'bzrlib.tests.per_repository',
 
2900
                   'bzrlib.tests.per_repository_reference',
 
2901
                   'bzrlib.tests.test__dirstate_helpers',
 
2902
                   'bzrlib.tests.test__walkdirs_win32',
 
2903
                   'bzrlib.tests.test_ancestry',
 
2904
                   'bzrlib.tests.test_annotate',
 
2905
                   'bzrlib.tests.test_api',
 
2906
                   'bzrlib.tests.test_atomicfile',
 
2907
                   'bzrlib.tests.test_bad_files',
 
2908
                   'bzrlib.tests.test_bisect_multi',
 
2909
                   'bzrlib.tests.test_branch',
 
2910
                   'bzrlib.tests.test_branchbuilder',
 
2911
                   'bzrlib.tests.test_btree_index',
 
2912
                   'bzrlib.tests.test_bugtracker',
 
2913
                   'bzrlib.tests.test_bundle',
 
2914
                   'bzrlib.tests.test_bzrdir',
 
2915
                   'bzrlib.tests.test_cache_utf8',
 
2916
                   'bzrlib.tests.test_chunk_writer',
 
2917
                   'bzrlib.tests.test__chunks_to_lines',
 
2918
                   'bzrlib.tests.test_commands',
 
2919
                   'bzrlib.tests.test_commit',
 
2920
                   'bzrlib.tests.test_commit_merge',
 
2921
                   'bzrlib.tests.test_config',
 
2922
                   'bzrlib.tests.test_conflicts',
 
2923
                   'bzrlib.tests.test_counted_lock',
 
2924
                   'bzrlib.tests.test_decorators',
 
2925
                   'bzrlib.tests.test_delta',
 
2926
                   'bzrlib.tests.test_debug',
 
2927
                   'bzrlib.tests.test_deprecated_graph',
 
2928
                   'bzrlib.tests.test_diff',
 
2929
                   'bzrlib.tests.test_directory_service',
 
2930
                   'bzrlib.tests.test_dirstate',
 
2931
                   'bzrlib.tests.test_email_message',
 
2932
                   'bzrlib.tests.test_errors',
 
2933
                   'bzrlib.tests.test_export',
 
2934
                   'bzrlib.tests.test_extract',
 
2935
                   'bzrlib.tests.test_fetch',
 
2936
                   'bzrlib.tests.test_fifo_cache',
 
2937
                   'bzrlib.tests.test_ftp_transport',
 
2938
                   'bzrlib.tests.test_foreign',
 
2939
                   'bzrlib.tests.test_generate_docs',
 
2940
                   'bzrlib.tests.test_generate_ids',
 
2941
                   'bzrlib.tests.test_globbing',
 
2942
                   'bzrlib.tests.test_gpg',
 
2943
                   'bzrlib.tests.test_graph',
 
2944
                   'bzrlib.tests.test_hashcache',
 
2945
                   'bzrlib.tests.test_help',
 
2946
                   'bzrlib.tests.test_hooks',
 
2947
                   'bzrlib.tests.test_http',
 
2948
                   'bzrlib.tests.test_http_implementations',
 
2949
                   'bzrlib.tests.test_http_response',
 
2950
                   'bzrlib.tests.test_https_ca_bundle',
 
2951
                   'bzrlib.tests.test_identitymap',
 
2952
                   'bzrlib.tests.test_ignores',
 
2953
                   'bzrlib.tests.test_index',
 
2954
                   'bzrlib.tests.test_info',
 
2955
                   'bzrlib.tests.test_inv',
 
2956
                   'bzrlib.tests.test_knit',
 
2957
                   'bzrlib.tests.test_lazy_import',
 
2958
                   'bzrlib.tests.test_lazy_regex',
 
2959
                   'bzrlib.tests.test_lockable_files',
 
2960
                   'bzrlib.tests.test_lockdir',
 
2961
                   'bzrlib.tests.test_log',
 
2962
                   'bzrlib.tests.test_lru_cache',
 
2963
                   'bzrlib.tests.test_lsprof',
 
2964
                   'bzrlib.tests.test_mail_client',
 
2965
                   'bzrlib.tests.test_memorytree',
 
2966
                   'bzrlib.tests.test_merge',
 
2967
                   'bzrlib.tests.test_merge3',
 
2968
                   'bzrlib.tests.test_merge_core',
 
2969
                   'bzrlib.tests.test_merge_directive',
 
2970
                   'bzrlib.tests.test_missing',
 
2971
                   'bzrlib.tests.test_msgeditor',
 
2972
                   'bzrlib.tests.test_multiparent',
 
2973
                   'bzrlib.tests.test_mutabletree',
 
2974
                   'bzrlib.tests.test_nonascii',
 
2975
                   'bzrlib.tests.test_options',
 
2976
                   'bzrlib.tests.test_osutils',
 
2977
                   'bzrlib.tests.test_osutils_encodings',
 
2978
                   'bzrlib.tests.test_pack',
 
2979
                   'bzrlib.tests.test_pack_repository',
 
2980
                   'bzrlib.tests.test_patch',
 
2981
                   'bzrlib.tests.test_patches',
 
2982
                   'bzrlib.tests.test_permissions',
 
2983
                   'bzrlib.tests.test_plugins',
 
2984
                   'bzrlib.tests.test_progress',
 
2985
                   'bzrlib.tests.test_read_bundle',
 
2986
                   'bzrlib.tests.test_reconcile',
 
2987
                   'bzrlib.tests.test_reconfigure',
 
2988
                   'bzrlib.tests.test_registry',
 
2989
                   'bzrlib.tests.test_remote',
 
2990
                   'bzrlib.tests.test_repository',
 
2991
                   'bzrlib.tests.test_revert',
 
2992
                   'bzrlib.tests.test_revision',
 
2993
                   'bzrlib.tests.test_revisionspec',
 
2994
                   'bzrlib.tests.test_revisiontree',
 
2995
                   'bzrlib.tests.test_rio',
 
2996
                   'bzrlib.tests.test_rules',
 
2997
                   'bzrlib.tests.test_sampler',
 
2998
                   'bzrlib.tests.test_selftest',
 
2999
                   'bzrlib.tests.test_setup',
 
3000
                   'bzrlib.tests.test_sftp_transport',
 
3001
                   'bzrlib.tests.test_shelf',
 
3002
                   'bzrlib.tests.test_shelf_ui',
 
3003
                   'bzrlib.tests.test_smart',
 
3004
                   'bzrlib.tests.test_smart_add',
 
3005
                   'bzrlib.tests.test_smart_request',
 
3006
                   'bzrlib.tests.test_smart_transport',
 
3007
                   'bzrlib.tests.test_smtp_connection',
 
3008
                   'bzrlib.tests.test_source',
 
3009
                   'bzrlib.tests.test_ssh_transport',
 
3010
                   'bzrlib.tests.test_status',
 
3011
                   'bzrlib.tests.test_store',
 
3012
                   'bzrlib.tests.test_strace',
 
3013
                   'bzrlib.tests.test_subsume',
 
3014
                   'bzrlib.tests.test_switch',
 
3015
                   'bzrlib.tests.test_symbol_versioning',
 
3016
                   'bzrlib.tests.test_tag',
 
3017
                   'bzrlib.tests.test_testament',
 
3018
                   'bzrlib.tests.test_textfile',
 
3019
                   'bzrlib.tests.test_textmerge',
 
3020
                   'bzrlib.tests.test_timestamp',
 
3021
                   'bzrlib.tests.test_trace',
 
3022
                   'bzrlib.tests.test_transactions',
 
3023
                   'bzrlib.tests.test_transform',
 
3024
                   'bzrlib.tests.test_transport',
 
3025
                   'bzrlib.tests.test_transport_implementations',
 
3026
                   'bzrlib.tests.test_transport_log',
 
3027
                   'bzrlib.tests.test_tree',
 
3028
                   'bzrlib.tests.test_treebuilder',
 
3029
                   'bzrlib.tests.test_tsort',
 
3030
                   'bzrlib.tests.test_tuned_gzip',
 
3031
                   'bzrlib.tests.test_ui',
 
3032
                   'bzrlib.tests.test_uncommit',
 
3033
                   'bzrlib.tests.test_upgrade',
 
3034
                   'bzrlib.tests.test_upgrade_stacked',
 
3035
                   'bzrlib.tests.test_urlutils',
 
3036
                   'bzrlib.tests.test_version',
 
3037
                   'bzrlib.tests.test_version_info',
 
3038
                   'bzrlib.tests.test_versionedfile',
 
3039
                   'bzrlib.tests.test_weave',
 
3040
                   'bzrlib.tests.test_whitebox',
 
3041
                   'bzrlib.tests.test_win32utils',
 
3042
                   'bzrlib.tests.test_workingtree',
 
3043
                   'bzrlib.tests.test_workingtree_4',
 
3044
                   'bzrlib.tests.test_wsgi',
 
3045
                   'bzrlib.tests.test_xml',
 
3046
                   'bzrlib.tests.tree_implementations',
 
3047
                   'bzrlib.tests.workingtree_implementations',
 
3048
                   'bzrlib.util.tests.test_bencode',
 
3049
                   ]
3788
3050
 
3789
3051
    loader = TestUtil.TestLoader()
3790
3052
 
3791
 
    if keep_only is not None:
3792
 
        id_filter = TestIdList(keep_only)
3793
3053
    if starting_with:
 
3054
        starting_with = [test_prefix_alias_registry.resolve_alias(start)
 
3055
                         for start in starting_with]
3794
3056
        # We take precedence over keep_only because *at loading time* using
3795
3057
        # both options means we will load less tests for the same final result.
3796
3058
        def interesting_module(name):
3806
3068
        loader = TestUtil.FilteredByModuleTestLoader(interesting_module)
3807
3069
 
3808
3070
    elif keep_only is not None:
 
3071
        id_filter = TestIdList(keep_only)
3809
3072
        loader = TestUtil.FilteredByModuleTestLoader(id_filter.refers_to)
3810
3073
        def interesting_module(name):
3811
3074
            return id_filter.refers_to(name)
3819
3082
    suite = loader.suiteClass()
3820
3083
 
3821
3084
    # modules building their suite with loadTestsFromModuleNames
3822
 
    suite.addTest(loader.loadTestsFromModuleNames(_test_suite_testmod_names()))
3823
 
 
3824
 
    for mod in _test_suite_modules_to_doctest():
 
3085
    suite.addTest(loader.loadTestsFromModuleNames(testmod_names))
 
3086
 
 
3087
    modules_to_doctest = [
 
3088
        'bzrlib',
 
3089
        'bzrlib.branchbuilder',
 
3090
        'bzrlib.export',
 
3091
        'bzrlib.inventory',
 
3092
        'bzrlib.iterablefile',
 
3093
        'bzrlib.lockdir',
 
3094
        'bzrlib.merge3',
 
3095
        'bzrlib.option',
 
3096
        'bzrlib.symbol_versioning',
 
3097
        'bzrlib.tests',
 
3098
        'bzrlib.timestamp',
 
3099
        'bzrlib.version_info_formats.format_custom',
 
3100
        ]
 
3101
 
 
3102
    for mod in modules_to_doctest:
3825
3103
        if not interesting_module(mod):
3826
3104
            # No tests to keep here, move along
3827
3105
            continue
3856
3134
            reload(sys)
3857
3135
            sys.setdefaultencoding(default_encoding)
3858
3136
 
 
3137
    if starting_with:
 
3138
        suite = filter_suite_by_id_startswith(suite, starting_with)
 
3139
 
3859
3140
    if keep_only is not None:
3860
3141
        # Now that the referred modules have loaded their tests, keep only the
3861
3142
        # requested ones.
3878
3159
    return suite
3879
3160
 
3880
3161
 
 
3162
def multiply_tests_from_modules(module_name_list, scenario_iter, loader=None):
 
3163
    """Adapt all tests in some given modules to given scenarios.
 
3164
 
 
3165
    This is the recommended public interface for test parameterization.
 
3166
    Typically the test_suite() method for a per-implementation test
 
3167
    suite will call multiply_tests_from_modules and return the
 
3168
    result.
 
3169
 
 
3170
    :param module_name_list: List of fully-qualified names of test
 
3171
        modules.
 
3172
    :param scenario_iter: Iterable of pairs of (scenario_name,
 
3173
        scenario_param_dict).
 
3174
    :param loader: If provided, will be used instead of a new
 
3175
        bzrlib.tests.TestLoader() instance.
 
3176
 
 
3177
    This returns a new TestSuite containing the cross product of
 
3178
    all the tests in all the modules, each repeated for each scenario.
 
3179
    Each test is adapted by adding the scenario name at the end
 
3180
    of its name, and updating the test object's __dict__ with the
 
3181
    scenario_param_dict.
 
3182
 
 
3183
    >>> r = multiply_tests_from_modules(
 
3184
    ...     ['bzrlib.tests.test_sampler'],
 
3185
    ...     [('one', dict(param=1)),
 
3186
    ...      ('two', dict(param=2))])
 
3187
    >>> tests = list(iter_suite_tests(r))
 
3188
    >>> len(tests)
 
3189
    2
 
3190
    >>> tests[0].id()
 
3191
    'bzrlib.tests.test_sampler.DemoTest.test_nothing(one)'
 
3192
    >>> tests[0].param
 
3193
    1
 
3194
    >>> tests[1].param
 
3195
    2
 
3196
    """
 
3197
    # XXX: Isn't load_tests() a better way to provide the same functionality
 
3198
    # without forcing a predefined TestScenarioApplier ? --vila 080215
 
3199
    if loader is None:
 
3200
        loader = TestUtil.TestLoader()
 
3201
 
 
3202
    suite = loader.suiteClass()
 
3203
 
 
3204
    adapter = TestScenarioApplier()
 
3205
    adapter.scenarios = list(scenario_iter)
 
3206
    adapt_modules(module_name_list, adapter, loader, suite)
 
3207
    return suite
 
3208
 
 
3209
 
3881
3210
def multiply_scenarios(scenarios_left, scenarios_right):
3882
3211
    """Multiply two sets of scenarios.
3883
3212
 
3892
3221
        for right_name, right_dict in scenarios_right]
3893
3222
 
3894
3223
 
3895
 
def multiply_tests(tests, scenarios, result):
3896
 
    """Multiply tests_list by scenarios into result.
3897
 
 
3898
 
    This is the core workhorse for test parameterisation.
3899
 
 
3900
 
    Typically the load_tests() method for a per-implementation test suite will
3901
 
    call multiply_tests and return the result.
3902
 
 
3903
 
    :param tests: The tests to parameterise.
3904
 
    :param scenarios: The scenarios to apply: pairs of (scenario_name,
3905
 
        scenario_param_dict).
3906
 
    :param result: A TestSuite to add created tests to.
3907
 
 
3908
 
    This returns the passed in result TestSuite with the cross product of all
3909
 
    the tests repeated once for each scenario.  Each test is adapted by adding
3910
 
    the scenario name at the end of its id(), and updating the test object's
3911
 
    __dict__ with the scenario_param_dict.
3912
 
 
3913
 
    >>> import bzrlib.tests.test_sampler
3914
 
    >>> r = multiply_tests(
3915
 
    ...     bzrlib.tests.test_sampler.DemoTest('test_nothing'),
3916
 
    ...     [('one', dict(param=1)),
3917
 
    ...      ('two', dict(param=2))],
3918
 
    ...     TestSuite())
3919
 
    >>> tests = list(iter_suite_tests(r))
3920
 
    >>> len(tests)
3921
 
    2
3922
 
    >>> tests[0].id()
3923
 
    'bzrlib.tests.test_sampler.DemoTest.test_nothing(one)'
3924
 
    >>> tests[0].param
3925
 
    1
3926
 
    >>> tests[1].param
3927
 
    2
3928
 
    """
3929
 
    for test in iter_suite_tests(tests):
3930
 
        apply_scenarios(test, scenarios, result)
3931
 
    return result
3932
 
 
3933
 
 
3934
 
def apply_scenarios(test, scenarios, result):
3935
 
    """Apply the scenarios in scenarios to test and add to result.
3936
 
 
3937
 
    :param test: The test to apply scenarios to.
3938
 
    :param scenarios: An iterable of scenarios to apply to test.
3939
 
    :return: result
3940
 
    :seealso: apply_scenario
3941
 
    """
3942
 
    for scenario in scenarios:
3943
 
        result.addTest(apply_scenario(test, scenario))
3944
 
    return result
3945
 
 
3946
 
 
3947
 
def apply_scenario(test, scenario):
3948
 
    """Copy test and apply scenario to it.
3949
 
 
3950
 
    :param test: A test to adapt.
3951
 
    :param scenario: A tuple describing the scenarion.
3952
 
        The first element of the tuple is the new test id.
3953
 
        The second element is a dict containing attributes to set on the
3954
 
        test.
3955
 
    :return: The adapted test.
3956
 
    """
3957
 
    new_id = "%s(%s)" % (test.id(), scenario[0])
3958
 
    new_test = clone_test(test, new_id)
3959
 
    for name, value in scenario[1].items():
3960
 
        setattr(new_test, name, value)
3961
 
    return new_test
3962
 
 
3963
 
 
3964
 
def clone_test(test, new_id):
3965
 
    """Clone a test giving it a new id.
3966
 
 
3967
 
    :param test: The test to clone.
3968
 
    :param new_id: The id to assign to it.
3969
 
    :return: The new test.
3970
 
    """
3971
 
    new_test = copy(test)
3972
 
    new_test.id = lambda: new_id
3973
 
    return new_test
3974
 
 
3975
 
 
3976
 
def permute_tests_for_extension(standard_tests, loader, py_module_name,
3977
 
                                ext_module_name):
3978
 
    """Helper for permutating tests against an extension module.
3979
 
 
3980
 
    This is meant to be used inside a modules 'load_tests()' function. It will
3981
 
    create 2 scenarios, and cause all tests in the 'standard_tests' to be run
3982
 
    against both implementations. Setting 'test.module' to the appropriate
3983
 
    module. See bzrlib.tests.test__chk_map.load_tests as an example.
3984
 
 
3985
 
    :param standard_tests: A test suite to permute
3986
 
    :param loader: A TestLoader
3987
 
    :param py_module_name: The python path to a python module that can always
3988
 
        be loaded, and will be considered the 'python' implementation. (eg
3989
 
        'bzrlib._chk_map_py')
3990
 
    :param ext_module_name: The python path to an extension module. If the
3991
 
        module cannot be loaded, a single test will be added, which notes that
3992
 
        the module is not available. If it can be loaded, all standard_tests
3993
 
        will be run against that module.
3994
 
    :return: (suite, feature) suite is a test-suite that has all the permuted
3995
 
        tests. feature is the Feature object that can be used to determine if
3996
 
        the module is available.
3997
 
    """
3998
 
 
3999
 
    py_module = __import__(py_module_name, {}, {}, ['NO_SUCH_ATTRIB'])
4000
 
    scenarios = [
4001
 
        ('python', {'module': py_module}),
4002
 
    ]
4003
 
    suite = loader.suiteClass()
4004
 
    feature = ModuleAvailableFeature(ext_module_name)
4005
 
    if feature.available():
4006
 
        scenarios.append(('C', {'module': feature.module}))
4007
 
    else:
4008
 
        # the compiled module isn't available, so we add a failing test
4009
 
        class FailWithoutFeature(TestCase):
4010
 
            def test_fail(self):
4011
 
                self.requireFeature(feature)
4012
 
        suite.addTest(loader.loadTestsFromTestCase(FailWithoutFeature))
4013
 
    result = multiply_tests(standard_tests, scenarios, suite)
4014
 
    return result, feature
4015
 
 
4016
 
 
4017
 
def _rmtree_temp_dir(dirname, test_id=None):
 
3224
 
 
3225
def adapt_modules(mods_list, adapter, loader, suite):
 
3226
    """Adapt the modules in mods_list using adapter and add to suite."""
 
3227
    tests = loader.loadTestsFromModuleNames(mods_list)
 
3228
    adapt_tests(tests, adapter, suite)
 
3229
 
 
3230
 
 
3231
def adapt_tests(tests_list, adapter, suite):
 
3232
    """Adapt the tests in tests_list using adapter and add to suite."""
 
3233
    for test in iter_suite_tests(tests_list):
 
3234
        suite.addTests(adapter.adapt(test))
 
3235
 
 
3236
 
 
3237
def _rmtree_temp_dir(dirname):
4018
3238
    # If LANG=C we probably have created some bogus paths
4019
3239
    # which rmtree(unicode) will fail to delete
4020
3240
    # so make sure we are using rmtree(str) to delete everything
4029
3249
    try:
4030
3250
        osutils.rmtree(dirname)
4031
3251
    except OSError, e:
4032
 
        # We don't want to fail here because some useful display will be lost
4033
 
        # otherwise. Polluting the tmp dir is bad, but not giving all the
4034
 
        # possible info to the test runner is even worse.
4035
 
        if test_id != None:
4036
 
            ui.ui_factory.clear_term()
4037
 
            sys.stderr.write('\nWhile running: %s\n' % (test_id,))
4038
 
        sys.stderr.write('Unable to remove testing dir %s\n%s'
4039
 
                         % (os.path.basename(dirname), e))
 
3252
        if sys.platform == 'win32' and e.errno == errno.EACCES:
 
3253
            sys.stderr.write(('Permission denied: '
 
3254
                                 'unable to remove testing dir '
 
3255
                                 '%s\n' % os.path.basename(dirname)))
 
3256
        else:
 
3257
            raise
4040
3258
 
4041
3259
 
4042
3260
class Feature(object):
4124
3342
UnicodeFilenameFeature = _UnicodeFilenameFeature()
4125
3343
 
4126
3344
 
4127
 
class _CompatabilityThunkFeature(Feature):
4128
 
    """This feature is just a thunk to another feature.
4129
 
 
4130
 
    It issues a deprecation warning if it is accessed, to let you know that you
4131
 
    should really use a different feature.
4132
 
    """
4133
 
 
4134
 
    def __init__(self, dep_version, module, name,
4135
 
                 replacement_name, replacement_module=None):
4136
 
        super(_CompatabilityThunkFeature, self).__init__()
4137
 
        self._module = module
4138
 
        if replacement_module is None:
4139
 
            replacement_module = module
4140
 
        self._replacement_module = replacement_module
4141
 
        self._name = name
4142
 
        self._replacement_name = replacement_name
4143
 
        self._dep_version = dep_version
4144
 
        self._feature = None
4145
 
 
4146
 
    def _ensure(self):
4147
 
        if self._feature is None:
4148
 
            depr_msg = self._dep_version % ('%s.%s'
4149
 
                                            % (self._module, self._name))
4150
 
            use_msg = ' Use %s.%s instead.' % (self._replacement_module,
4151
 
                                               self._replacement_name)
4152
 
            symbol_versioning.warn(depr_msg + use_msg, DeprecationWarning)
4153
 
            # Import the new feature and use it as a replacement for the
4154
 
            # deprecated one.
4155
 
            mod = __import__(self._replacement_module, {}, {},
4156
 
                             [self._replacement_name])
4157
 
            self._feature = getattr(mod, self._replacement_name)
4158
 
 
4159
 
    def _probe(self):
4160
 
        self._ensure()
4161
 
        return self._feature._probe()
4162
 
 
4163
 
 
4164
 
class ModuleAvailableFeature(Feature):
4165
 
    """This is a feature than describes a module we want to be available.
4166
 
 
4167
 
    Declare the name of the module in __init__(), and then after probing, the
4168
 
    module will be available as 'self.module'.
4169
 
 
4170
 
    :ivar module: The module if it is available, else None.
4171
 
    """
4172
 
 
4173
 
    def __init__(self, module_name):
4174
 
        super(ModuleAvailableFeature, self).__init__()
4175
 
        self.module_name = module_name
4176
 
 
4177
 
    def _probe(self):
4178
 
        try:
4179
 
            self._module = __import__(self.module_name, {}, {}, [''])
4180
 
            return True
4181
 
        except ImportError:
4182
 
            return False
4183
 
 
4184
 
    @property
4185
 
    def module(self):
4186
 
        if self.available(): # Make sure the probe has been done
4187
 
            return self._module
4188
 
        return None
4189
 
 
4190
 
    def feature_name(self):
4191
 
        return self.module_name
4192
 
 
4193
 
 
4194
 
# This is kept here for compatibility, it is recommended to use
4195
 
# 'bzrlib.tests.feature.paramiko' instead
4196
 
ParamikoFeature = _CompatabilityThunkFeature(
4197
 
    deprecated_in((2,1,0)),
4198
 
    'bzrlib.tests.features', 'ParamikoFeature', 'paramiko')
 
3345
class TestScenarioApplier(object):
 
3346
    """A tool to apply scenarios to tests."""
 
3347
 
 
3348
    def adapt(self, test):
 
3349
        """Return a TestSuite containing a copy of test for each scenario."""
 
3350
        result = unittest.TestSuite()
 
3351
        for scenario in self.scenarios:
 
3352
            result.addTest(self.adapt_test_to_scenario(test, scenario))
 
3353
        return result
 
3354
 
 
3355
    def adapt_test_to_scenario(self, test, scenario):
 
3356
        """Copy test and apply scenario to it.
 
3357
 
 
3358
        :param test: A test to adapt.
 
3359
        :param scenario: A tuple describing the scenarion.
 
3360
            The first element of the tuple is the new test id.
 
3361
            The second element is a dict containing attributes to set on the
 
3362
            test.
 
3363
        :return: The adapted test.
 
3364
        """
 
3365
        from copy import deepcopy
 
3366
        new_test = deepcopy(test)
 
3367
        for name, value in scenario[1].items():
 
3368
            setattr(new_test, name, value)
 
3369
        new_id = "%s(%s)" % (new_test.id(), scenario[0])
 
3370
        new_test.id = lambda: new_id
 
3371
        return new_test
4199
3372
 
4200
3373
 
4201
3374
def probe_unicode_in_user_encoding():
4231
3404
    return None
4232
3405
 
4233
3406
 
 
3407
class _FTPServerFeature(Feature):
 
3408
    """Some tests want an FTP Server, check if one is available.
 
3409
 
 
3410
    Right now, the only way this is available is if 'medusa' is installed.
 
3411
    http://www.amk.ca/python/code/medusa.html
 
3412
    """
 
3413
 
 
3414
    def _probe(self):
 
3415
        try:
 
3416
            import bzrlib.tests.ftp_server
 
3417
            return True
 
3418
        except ImportError:
 
3419
            return False
 
3420
 
 
3421
    def feature_name(self):
 
3422
        return 'FTPServer'
 
3423
 
 
3424
 
 
3425
FTPServerFeature = _FTPServerFeature()
 
3426
 
 
3427
 
4234
3428
class _HTTPSServerFeature(Feature):
4235
3429
    """Some tests want an https Server, check if one is available.
4236
3430
 
4283
3477
UTF8Filesystem = _UTF8Filesystem()
4284
3478
 
4285
3479
 
4286
 
class _BreakinFeature(Feature):
4287
 
    """Does this platform support the breakin feature?"""
4288
 
 
4289
 
    def _probe(self):
4290
 
        from bzrlib import breakin
4291
 
        if breakin.determine_signal() is None:
4292
 
            return False
4293
 
        if sys.platform == 'win32':
4294
 
            # Windows doesn't have os.kill, and we catch the SIGBREAK signal.
4295
 
            # We trigger SIGBREAK via a Console api so we need ctypes to
4296
 
            # access the function
4297
 
            try:
4298
 
                import ctypes
4299
 
            except OSError:
4300
 
                return False
4301
 
        return True
4302
 
 
4303
 
    def feature_name(self):
4304
 
        return "SIGQUIT or SIGBREAK w/ctypes on win32"
4305
 
 
4306
 
 
4307
 
BreakinFeature = _BreakinFeature()
4308
 
 
4309
 
 
4310
3480
class _CaseInsCasePresFilenameFeature(Feature):
4311
3481
    """Is the file-system case insensitive, but case-preserving?"""
4312
3482
 
4360
3530
        return 'case-insensitive filesystem'
4361
3531
 
4362
3532
CaseInsensitiveFilesystemFeature = _CaseInsensitiveFilesystemFeature()
4363
 
 
4364
 
 
4365
 
# Kept for compatibility, use bzrlib.tests.features.subunit instead
4366
 
SubUnitFeature = _CompatabilityThunkFeature(
4367
 
    deprecated_in((2,1,0)),
4368
 
    'bzrlib.tests.features', 'SubUnitFeature', 'subunit')
4369
 
# Only define SubUnitBzrRunner if subunit is available.
4370
 
try:
4371
 
    from subunit import TestProtocolClient
4372
 
    from subunit.test_results import AutoTimingTestResultDecorator
4373
 
    class SubUnitBzrRunner(TextTestRunner):
4374
 
        def run(self, test):
4375
 
            result = AutoTimingTestResultDecorator(
4376
 
                TestProtocolClient(self.stream))
4377
 
            test.run(result)
4378
 
            return result
4379
 
except ImportError:
4380
 
    pass