~bzr-pqm/bzr/bzr.dev

« back to all changes in this revision

Viewing changes to bzrlib/tests/__init__.py

  • Committer: Canonical.com Patch Queue Manager
  • Date: 2007-11-03 01:53:30 UTC
  • mfrom: (2955.1.1 trunk)
  • Revision ID: pqm@pqm.ubuntu.com-20071103015330-pt1tec7wyxwwcey8
Fix #158972 don't use timeout for HttpServer

Show diffs side-by-side

added added

removed removed

Lines of Context:
1
 
# Copyright (C) 2005, 2006, 2007, 2008 Canonical Ltd
 
1
# Copyright (C) 2005, 2006, 2007 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
42
42
from subprocess import Popen, PIPE
43
43
import sys
44
44
import tempfile
45
 
import threading
 
45
import unittest
46
46
import time
47
 
import unittest
48
47
import warnings
49
48
 
50
49
 
51
50
from bzrlib import (
52
 
    branchbuilder,
53
51
    bzrdir,
54
52
    debug,
55
53
    errors,
58
56
    progress,
59
57
    ui,
60
58
    urlutils,
61
 
    registry,
62
59
    workingtree,
63
60
    )
64
61
import bzrlib.branch
76
73
from bzrlib.merge import merge_inner
77
74
import bzrlib.merge3
78
75
import bzrlib.plugin
 
76
from bzrlib.revision import common_ancestor
79
77
import bzrlib.store
80
78
from bzrlib import symbol_versioning
81
79
from bzrlib.symbol_versioning import (
82
 
    DEPRECATED_PARAMETER,
83
 
    deprecated_function,
84
80
    deprecated_method,
85
 
    deprecated_passed,
 
81
    zero_ninetyone,
 
82
    zero_ninetytwo,
86
83
    )
87
84
import bzrlib.trace
88
85
from bzrlib.transport import get_transport
92
89
from bzrlib.transport.readonly import ReadonlyServer
93
90
from bzrlib.trace import mutter, note
94
91
from bzrlib.tests import TestUtil
95
 
from bzrlib.tests.http_server import HttpServer
 
92
from bzrlib.tests.HttpServer import HttpServer
96
93
from bzrlib.tests.TestUtil import (
97
94
                          TestSuite,
98
95
                          TestLoader,
99
96
                          )
100
97
from bzrlib.tests.treeshape import build_tree_contents
101
 
import bzrlib.version_info_formats.format_custom
102
98
from bzrlib.workingtree import WorkingTree, WorkingTreeFormat2
103
99
 
104
100
# Mark this python module as being part of the implementation
108
104
 
109
105
default_transport = LocalURLServer
110
106
 
 
107
MODULES_TO_TEST = []
 
108
MODULES_TO_DOCTEST = [
 
109
        bzrlib.timestamp,
 
110
        bzrlib.errors,
 
111
        bzrlib.export,
 
112
        bzrlib.inventory,
 
113
        bzrlib.iterablefile,
 
114
        bzrlib.lockdir,
 
115
        bzrlib.merge3,
 
116
        bzrlib.option,
 
117
        bzrlib.store,
 
118
        # quoted to avoid module-loading circularity
 
119
        'bzrlib.tests',
 
120
        ]
 
121
 
 
122
 
 
123
def packages_to_test():
 
124
    """Return a list of packages to test.
 
125
 
 
126
    The packages are not globally imported so that import failures are
 
127
    triggered when running selftest, not when importing the command.
 
128
    """
 
129
    import bzrlib.doc
 
130
    import bzrlib.tests.blackbox
 
131
    import bzrlib.tests.branch_implementations
 
132
    import bzrlib.tests.bzrdir_implementations
 
133
    import bzrlib.tests.commands
 
134
    import bzrlib.tests.interrepository_implementations
 
135
    import bzrlib.tests.interversionedfile_implementations
 
136
    import bzrlib.tests.intertree_implementations
 
137
    import bzrlib.tests.inventory_implementations
 
138
    import bzrlib.tests.per_lock
 
139
    import bzrlib.tests.repository_implementations
 
140
    import bzrlib.tests.revisionstore_implementations
 
141
    import bzrlib.tests.tree_implementations
 
142
    import bzrlib.tests.workingtree_implementations
 
143
    return [
 
144
            bzrlib.doc,
 
145
            bzrlib.tests.blackbox,
 
146
            bzrlib.tests.branch_implementations,
 
147
            bzrlib.tests.bzrdir_implementations,
 
148
            bzrlib.tests.commands,
 
149
            bzrlib.tests.interrepository_implementations,
 
150
            bzrlib.tests.interversionedfile_implementations,
 
151
            bzrlib.tests.intertree_implementations,
 
152
            bzrlib.tests.inventory_implementations,
 
153
            bzrlib.tests.per_lock,
 
154
            bzrlib.tests.repository_implementations,
 
155
            bzrlib.tests.revisionstore_implementations,
 
156
            bzrlib.tests.tree_implementations,
 
157
            bzrlib.tests.workingtree_implementations,
 
158
            ]
 
159
 
111
160
 
112
161
class ExtendedTestResult(unittest._TextTestResult):
113
162
    """Accepts, reports and accumulates the results of running tests.
225
274
            self.report_error(test, err)
226
275
            if self.stop_early:
227
276
                self.stop()
228
 
            self._cleanupLogFile(test)
229
277
 
230
278
    def addFailure(self, test, err):
231
279
        """Tell result that test failed.
242
290
            self.report_failure(test, err)
243
291
            if self.stop_early:
244
292
                self.stop()
245
 
            self._cleanupLogFile(test)
246
293
 
247
294
    def addSuccess(self, test):
248
295
        """Tell result that test completed successfully.
257
304
                    self._formatTime(benchmark_time),
258
305
                    test.id()))
259
306
        self.report_success(test)
260
 
        self._cleanupLogFile(test)
261
307
        unittest.TestResult.addSuccess(self, test)
262
 
        test._log_contents = ''
263
308
 
264
309
    def _testConcluded(self, test):
265
310
        """Common code when a test has finished.
266
311
 
267
312
        Called regardless of whether it succeded, failed, etc.
268
313
        """
269
 
        pass
 
314
        self._cleanupLogFile(test)
270
315
 
271
316
    def _addKnownFailure(self, test, err):
272
317
        self.known_failure_count += 1
302
347
            # seems best to treat this as success from point-of-view of unittest
303
348
            # -- it actually does nothing so it barely matters :)
304
349
            unittest.TestResult.addSuccess(self, test)
305
 
            test._log_contents = ''
306
350
 
307
351
    def printErrorList(self, flavour, errors):
308
352
        for test, err in errors:
363
407
        self.pb.update('[test 0/%d] starting...' % (self.num_tests))
364
408
 
365
409
    def _progress_prefix_text(self):
366
 
        # the longer this text, the less space we have to show the test
367
 
        # name...
368
 
        a = '[%d' % self.count              # total that have been run
369
 
        # tests skipped as known not to be relevant are not important enough
370
 
        # to show here
371
 
        ## if self.skip_count:
372
 
        ##     a += ', %d skip' % self.skip_count
373
 
        ## if self.known_failure_count:
374
 
        ##     a += '+%dX' % self.known_failure_count
 
410
        a = '[%d' % self.count
375
411
        if self.num_tests is not None:
376
412
            a +='/%d' % self.num_tests
377
 
        a += ' in '
378
 
        runtime = time.time() - self._overall_start_time
379
 
        if runtime >= 60:
380
 
            a += '%dm%ds' % (runtime / 60, runtime % 60)
381
 
        else:
382
 
            a += '%ds' % runtime
 
413
        a += ' in %ds' % (time.time() - self._overall_start_time)
383
414
        if self.error_count:
384
 
            a += ', %d err' % self.error_count
 
415
            a += ', %d errors' % self.error_count
385
416
        if self.failure_count:
386
 
            a += ', %d fail' % self.failure_count
 
417
            a += ', %d failed' % self.failure_count
 
418
        if self.known_failure_count:
 
419
            a += ', %d known failures' % self.known_failure_count
 
420
        if self.skip_count:
 
421
            a += ', %d skipped' % self.skip_count
387
422
        if self.unsupported:
388
 
            a += ', %d missing' % len(self.unsupported)
 
423
            a += ', %d missing features' % len(self.unsupported)
389
424
        a += ']'
390
425
        return a
391
426
 
719
754
        return password
720
755
 
721
756
 
722
 
def _report_leaked_threads():
723
 
    bzrlib.trace.warning('%s is leaking threads among %d leaking tests',
724
 
                         TestCase._first_thread_leaker_id,
725
 
                         TestCase._leaking_threads_tests)
726
 
 
727
 
 
728
757
class TestCase(unittest.TestCase):
729
758
    """Base class for bzr unit tests.
730
759
    
746
775
    accidentally overlooked.
747
776
    """
748
777
 
749
 
    _active_threads = None
750
 
    _leaking_threads_tests = 0
751
 
    _first_thread_leaker_id = None
752
778
    _log_file_name = None
753
779
    _log_contents = ''
754
780
    _keep_log_file = False
755
781
    # record lsprof data when performing benchmark calls.
756
782
    _gather_lsprof_in_benchmarks = False
757
 
    attrs_to_keep = ('id', '_testMethodName', '_testMethodDoc',
758
 
                     '_log_contents', '_log_file_name', '_benchtime',
759
 
                     '_TestCase__testMethodName')
760
783
 
761
784
    def __init__(self, methodName='testMethod'):
762
785
        super(TestCase, self).__init__(methodName)
765
788
    def setUp(self):
766
789
        unittest.TestCase.setUp(self)
767
790
        self._cleanEnvironment()
 
791
        bzrlib.trace.disable_default_logging()
768
792
        self._silenceUI()
769
793
        self._startLogFile()
770
794
        self._benchcalls = []
771
795
        self._benchtime = None
772
796
        self._clear_hooks()
773
797
        self._clear_debug_flags()
774
 
        TestCase._active_threads = threading.activeCount()
775
 
        self.addCleanup(self._check_leaked_threads)
776
 
 
777
 
    def _check_leaked_threads(self):
778
 
        active = threading.activeCount()
779
 
        leaked_threads = active - TestCase._active_threads
780
 
        TestCase._active_threads = active
781
 
        if leaked_threads:
782
 
            TestCase._leaking_threads_tests += 1
783
 
            if TestCase._first_thread_leaker_id is None:
784
 
                TestCase._first_thread_leaker_id = self.id()
785
 
                # we're not specifically told when all tests are finished.
786
 
                # This will do. We use a function to avoid keeping a reference
787
 
                # to a TestCase object.
788
 
                atexit.register(_report_leaked_threads)
789
798
 
790
799
    def _clear_debug_flags(self):
791
800
        """Prevent externally set debug flags affecting tests.
793
802
        Tests that want to use debug flags can just set them in the
794
803
        debug_flags set during setup/teardown.
795
804
        """
796
 
        if 'allow_debug' not in selftest_debug_flags:
797
 
            self._preserved_debug_flags = set(debug.debug_flags)
798
 
            debug.debug_flags.clear()
799
 
            self.addCleanup(self._restore_debug_flags)
 
805
        self._preserved_debug_flags = set(debug.debug_flags)
 
806
        debug.debug_flags.clear()
 
807
        self.addCleanup(self._restore_debug_flags)
800
808
 
801
809
    def _clear_hooks(self):
802
810
        # prevent hooks affecting tests
804
812
        import bzrlib.smart.server
805
813
        self._preserved_hooks = {
806
814
            bzrlib.branch.Branch: bzrlib.branch.Branch.hooks,
807
 
            bzrlib.mutabletree.MutableTree: bzrlib.mutabletree.MutableTree.hooks,
808
815
            bzrlib.smart.server.SmartTCPServer: bzrlib.smart.server.SmartTCPServer.hooks,
809
816
            }
810
817
        self.addCleanup(self._restoreHooks)
863
870
            return
864
871
        if message is None:
865
872
            message = "texts not equal:\n"
866
 
        if a == b + '\n':
867
 
            message = 'first string is missing a final newline.\n'
868
 
        if a + '\n' == b:
869
 
            message = 'second string is missing a final newline.\n'
870
873
        raise AssertionError(message +
871
874
                             self._ndiff_strings(a, b))
872
875
        
925
928
        """
926
929
        try:
927
930
            list(func(*args, **kwargs))
928
 
        except excClass, e:
929
 
            return e
 
931
        except excClass:
 
932
            return
930
933
        else:
931
934
            if getattr(excClass,'__name__', None) is not None:
932
935
                excName = excClass.__name__
1029
1032
        else:
1030
1033
            self.fail('Unexpected success.  Should have failed: %s' % reason)
1031
1034
 
1032
 
    def assertFileEqual(self, content, path):
1033
 
        """Fail if path does not contain 'content'."""
1034
 
        self.failUnlessExists(path)
1035
 
        f = file(path, 'rb')
1036
 
        try:
1037
 
            s = f.read()
1038
 
        finally:
1039
 
            f.close()
1040
 
        self.assertEqualDiff(content, s)
1041
 
 
1042
 
    def failUnlessExists(self, path):
1043
 
        """Fail unless path or paths, which may be abs or relative, exist."""
1044
 
        if not isinstance(path, basestring):
1045
 
            for p in path:
1046
 
                self.failUnlessExists(p)
1047
 
        else:
1048
 
            self.failUnless(osutils.lexists(path),path+" does not exist")
1049
 
 
1050
 
    def failIfExists(self, path):
1051
 
        """Fail if path or paths, which may be abs or relative, exist."""
1052
 
        if not isinstance(path, basestring):
1053
 
            for p in path:
1054
 
                self.failIfExists(p)
1055
 
        else:
1056
 
            self.failIf(osutils.lexists(path),path+" exists")
1057
 
 
1058
1035
    def _capture_deprecation_warnings(self, a_callable, *args, **kwargs):
1059
1036
        """A helper for callDeprecated and applyDeprecated.
1060
1037
 
1087
1064
        To test that a deprecated method raises an error, do something like
1088
1065
        this::
1089
1066
 
1090
 
            self.assertRaises(errors.ReservedId,
1091
 
                self.applyDeprecated,
1092
 
                deprecated_in((1, 5, 0)),
1093
 
                br.append_revision,
1094
 
                'current:')
 
1067
        self.assertRaises(errors.ReservedId,
 
1068
            self.applyDeprecated, zero_ninetyone,
 
1069
                br.append_revision, 'current:')
1095
1070
 
1096
1071
        :param deprecation_format: The deprecation format that the callable
1097
1072
            should have been deprecated with. This is the same type as the
1175
1150
        """
1176
1151
        fileno, name = tempfile.mkstemp(suffix='.log', prefix='testbzr')
1177
1152
        self._log_file = os.fdopen(fileno, 'w+')
1178
 
        self._log_memento = bzrlib.trace.push_log_file(self._log_file)
 
1153
        self._log_nonce = bzrlib.trace.enable_test_log(self._log_file)
1179
1154
        self._log_file_name = name
1180
1155
        self.addCleanup(self._finishLogFile)
1181
1156
 
1186
1161
        """
1187
1162
        if self._log_file is None:
1188
1163
            return
1189
 
        bzrlib.trace.pop_log_file(self._log_memento)
 
1164
        bzrlib.trace.disable_test_log(self._log_nonce)
1190
1165
        self._log_file.close()
1191
1166
        self._log_file = None
1192
1167
        if not self._keep_log_file:
1197
1172
        """Make the logfile not be deleted when _finishLogFile is called."""
1198
1173
        self._keep_log_file = True
1199
1174
 
1200
 
    def addCleanup(self, callable, *args, **kwargs):
 
1175
    def addCleanup(self, callable):
1201
1176
        """Arrange to run a callable when this case is torn down.
1202
1177
 
1203
1178
        Callables are run in the reverse of the order they are registered, 
1204
1179
        ie last-in first-out.
1205
1180
        """
1206
 
        self._cleanups.append((callable, args, kwargs))
 
1181
        if callable in self._cleanups:
 
1182
            raise ValueError("cleanup function %r already registered on %s" 
 
1183
                    % (callable, self))
 
1184
        self._cleanups.append(callable)
1207
1185
 
1208
1186
    def _cleanEnvironment(self):
1209
1187
        new_env = {
1215
1193
            'BZREMAIL': None, # may still be present in the environment
1216
1194
            'EMAIL': None,
1217
1195
            'BZR_PROGRESS_BAR': None,
1218
 
            'BZR_LOG': None,
1219
1196
            # SSH Agent
1220
1197
            'SSH_AUTH_SOCK': None,
1221
1198
            # Proxies
1270
1247
                    result.addSuccess(self)
1271
1248
                result.stopTest(self)
1272
1249
                return
1273
 
        try:
1274
 
            return unittest.TestCase.run(self, result)
1275
 
        finally:
1276
 
            saved_attrs = {}
1277
 
            absent_attr = object()
1278
 
            for attr_name in self.attrs_to_keep:
1279
 
                attr = getattr(self, attr_name, absent_attr)
1280
 
                if attr is not absent_attr:
1281
 
                    saved_attrs[attr_name] = attr
1282
 
            self.__dict__ = saved_attrs
 
1250
        return unittest.TestCase.run(self, result)
1283
1251
 
1284
1252
    def tearDown(self):
1285
1253
        self._runCleanups()
1318
1286
        # Actually pop the cleanups from the list so tearDown running
1319
1287
        # twice is safe (this happens for skipped tests).
1320
1288
        while self._cleanups:
1321
 
            cleanup, args, kwargs = self._cleanups.pop()
1322
 
            cleanup(*args, **kwargs)
 
1289
            self._cleanups.pop()()
1323
1290
 
1324
1291
    def log(self, *args):
1325
1292
        mutter(*args)
1337
1304
        import bzrlib.trace
1338
1305
        bzrlib.trace._trace_file.flush()
1339
1306
        if self._log_contents:
1340
 
            # XXX: this can hardly contain the content flushed above --vila
1341
 
            # 20080128
1342
1307
            return self._log_contents
1343
1308
        if self._log_file_name is not None:
1344
1309
            logfile = open(self._log_file_name)
1528
1493
            elif isinstance(args[0], basestring):
1529
1494
                args = list(shlex.split(args[0]))
1530
1495
        else:
1531
 
            raise ValueError("passing varargs to run_bzr_subprocess")
 
1496
            symbol_versioning.warn(zero_ninetyone %
 
1497
                                   "passing varargs to run_bzr_subprocess",
 
1498
                                   DeprecationWarning, stacklevel=3)
1532
1499
        process = self.start_bzr_subprocess(args, env_changes=env_changes,
1533
1500
                                            working_dir=working_dir,
1534
1501
                                            allow_plugins=allow_plugins)
1590
1557
            # so we will avoid using it on all platforms, just to
1591
1558
            # make sure the code path is used, and we don't break on win32
1592
1559
            cleanup_environment()
1593
 
            command = [sys.executable]
1594
 
            # frozen executables don't need the path to bzr
1595
 
            if getattr(sys, "frozen", None) is None:
1596
 
                command.append(bzr_path)
 
1560
            command = [sys.executable, bzr_path]
1597
1561
            if not allow_plugins:
1598
1562
                command.append('--no-plugins')
1599
1563
            command.extend(process_args)
1749
1713
    _TEST_NAME = 'test'
1750
1714
 
1751
1715
    def __init__(self, methodName='runTest'):
1752
 
        # allow test parameterization after test construction and before test
1753
 
        # execution. Variables that the parameterizer sets need to be 
 
1716
        # allow test parameterisation after test construction and before test
 
1717
        # execution. Variables that the parameteriser sets need to be 
1754
1718
        # ones that are not set by setUp, or setUp will trash them.
1755
1719
        super(TestCaseWithMemoryTransport, self).__init__(methodName)
1756
1720
        self.vfs_transport_factory = default_transport
1996
1960
        b = self.make_branch(relpath, format=format)
1997
1961
        return memorytree.MemoryTree.create_on_branch(b)
1998
1962
 
1999
 
    def make_branch_builder(self, relpath, format=None):
2000
 
        url = self.get_url(relpath)
2001
 
        tran = get_transport(url)
2002
 
        return branchbuilder.BranchBuilder(get_transport(url), format=format)
2003
 
 
2004
1963
    def overrideEnvironmentForTesting(self):
2005
1964
        os.environ['HOME'] = self.test_home_dir
2006
1965
        os.environ['BZR_HOME'] = self.test_home_dir
2049
2008
            self.log("actually: %r" % contents)
2050
2009
            self.fail("contents of %s not as expected" % filename)
2051
2010
 
2052
 
    def _getTestDirPrefix(self):
2053
 
        # create a directory within the top level test directory
2054
 
        if sys.platform == 'win32':
2055
 
            name_prefix = re.sub('[<>*=+",:;_/\\-]', '_', self.id())
2056
 
            # windows is likely to have path-length limits so use a short name
2057
 
            name_prefix = name_prefix[-30:]
2058
 
        else:
2059
 
            name_prefix = re.sub('[/]', '_', self.id())
2060
 
        return name_prefix
2061
 
 
2062
2011
    def makeAndChdirToTestDir(self):
2063
2012
        """See TestCaseWithMemoryTransport.makeAndChdirToTestDir().
2064
2013
        
2065
2014
        For TestCaseInTempDir we create a temporary directory based on the test
2066
2015
        name and then create two subdirs - test and home under it.
2067
2016
        """
2068
 
        name_prefix = osutils.pathjoin(self.TEST_ROOT, self._getTestDirPrefix())
2069
 
        name = name_prefix
2070
 
        for i in range(100):
2071
 
            if os.path.exists(name):
2072
 
                name = name_prefix + '_' + str(i)
2073
 
            else:
2074
 
                os.mkdir(name)
2075
 
                break
 
2017
        # create a directory within the top level test directory
 
2018
        candidate_dir = osutils.mkdtemp(dir=self.TEST_ROOT)
2076
2019
        # now create test and home directories within this dir
2077
 
        self.test_base_dir = name
 
2020
        self.test_base_dir = candidate_dir
2078
2021
        self.test_home_dir = self.test_base_dir + '/home'
2079
2022
        os.mkdir(self.test_home_dir)
2080
2023
        self.test_dir = self.test_base_dir + '/work'
2102
2045
 
2103
2046
        This doesn't add anything to a branch.
2104
2047
 
2105
 
        :type shape:    list or tuple.
2106
2048
        :param line_endings: Either 'binary' or 'native'
2107
2049
            in binary mode, exact contents are written in native mode, the
2108
2050
            line endings match the default platform endings.
2110
2052
            If the transport is readonly or None, "." is opened automatically.
2111
2053
        :return: None
2112
2054
        """
2113
 
        if type(shape) not in (list, tuple):
2114
 
            raise AssertionError("Parameter 'shape' should be "
2115
 
                "a list or a tuple. Got %r instead" % (shape,))
2116
2055
        # It's OK to just create them using forward slashes on windows.
2117
2056
        if transport is None or transport.is_readonly():
2118
2057
            transport = get_transport(".")
2134
2073
    def build_tree_contents(self, shape):
2135
2074
        build_tree_contents(shape)
2136
2075
 
 
2076
    def assertFileEqual(self, content, path):
 
2077
        """Fail if path does not contain 'content'."""
 
2078
        self.failUnlessExists(path)
 
2079
        f = file(path, 'rb')
 
2080
        try:
 
2081
            s = f.read()
 
2082
        finally:
 
2083
            f.close()
 
2084
        self.assertEqualDiff(content, s)
 
2085
 
 
2086
    def failUnlessExists(self, path):
 
2087
        """Fail unless path or paths, which may be abs or relative, exist."""
 
2088
        if not isinstance(path, basestring):
 
2089
            for p in path:
 
2090
                self.failUnlessExists(p)
 
2091
        else:
 
2092
            self.failUnless(osutils.lexists(path),path+" does not exist")
 
2093
 
 
2094
    def failIfExists(self, path):
 
2095
        """Fail if path or paths, which may be abs or relative, exist."""
 
2096
        if not isinstance(path, basestring):
 
2097
            for p in path:
 
2098
                self.failIfExists(p)
 
2099
        else:
 
2100
            self.failIf(osutils.lexists(path),path+" exists")
 
2101
 
2137
2102
    def assertInWorkingTree(self, path, root_path='.', tree=None):
2138
2103
        """Assert whether path or paths are in the WorkingTree"""
2139
2104
        if tree is None:
2140
2105
            tree = workingtree.WorkingTree.open(root_path)
2141
2106
        if not isinstance(path, basestring):
2142
2107
            for p in path:
2143
 
                self.assertInWorkingTree(p, tree=tree)
 
2108
                self.assertInWorkingTree(p,tree=tree)
2144
2109
        else:
2145
2110
            self.assertIsNot(tree.path2id(path), None,
2146
2111
                path+' not in working tree.')
2210
2175
                # the branch is colocated on disk, we cannot create a checkout.
2211
2176
                # hopefully callers will expect this.
2212
2177
                local_controldir= bzrdir.BzrDir.open(self.get_vfs_only_url(relpath))
2213
 
                wt = local_controldir.create_workingtree()
2214
 
                if wt.branch._format != b._format:
2215
 
                    wt._branch = b
2216
 
                    # Make sure that assigning to wt._branch fixes wt.branch,
2217
 
                    # in case the implementation details of workingtree objects
2218
 
                    # change.
2219
 
                    self.assertIs(b, wt.branch)
2220
 
                return wt
 
2178
                return local_controldir.create_workingtree()
2221
2179
            else:
2222
2180
                return b.create_checkout(relpath, lightweight=True)
2223
2181
 
2268
2226
            self.transport_readonly_server = HttpServer
2269
2227
 
2270
2228
 
2271
 
def condition_id_re(pattern):
2272
 
    """Create a condition filter which performs a re check on a test's id.
2273
 
    
2274
 
    :param pattern: A regular expression string.
2275
 
    :return: A callable that returns True if the re matches.
2276
 
    """
 
2229
def filter_suite_by_re(suite, pattern, exclude_pattern=None,
 
2230
                       random_order=False):
 
2231
    """Create a test suite by filtering another one.
 
2232
    
 
2233
    :param suite:           the source suite
 
2234
    :param pattern:         pattern that names must match
 
2235
    :param exclude_pattern: pattern that names must not match, if any
 
2236
    :param random_order:    if True, tests in the new suite will be put in
 
2237
                            random order
 
2238
    :returns: the newly created suite
 
2239
    """ 
 
2240
    return sort_suite_by_re(suite, pattern, exclude_pattern,
 
2241
        random_order, False)
 
2242
 
 
2243
 
 
2244
def sort_suite_by_re(suite, pattern, exclude_pattern=None,
 
2245
                     random_order=False, append_rest=True):
 
2246
    """Create a test suite by sorting another one.
 
2247
    
 
2248
    :param suite:           the source suite
 
2249
    :param pattern:         pattern that names must match in order to go
 
2250
                            first in the new suite
 
2251
    :param exclude_pattern: pattern that names must not match, if any
 
2252
    :param random_order:    if True, tests in the new suite will be put in
 
2253
                            random order
 
2254
    :param append_rest:     if False, pattern is a strict filter and not
 
2255
                            just an ordering directive
 
2256
    :returns: the newly created suite
 
2257
    """ 
 
2258
    first = []
 
2259
    second = []
2277
2260
    filter_re = re.compile(pattern)
2278
 
    def condition(test):
 
2261
    if exclude_pattern is not None:
 
2262
        exclude_re = re.compile(exclude_pattern)
 
2263
    for test in iter_suite_tests(suite):
2279
2264
        test_id = test.id()
2280
 
        return filter_re.search(test_id)
2281
 
    return condition
2282
 
 
2283
 
 
2284
 
def condition_isinstance(klass_or_klass_list):
2285
 
    """Create a condition filter which returns isinstance(param, klass).
2286
 
    
2287
 
    :return: A callable which when called with one parameter obj return the
2288
 
        result of isinstance(obj, klass_or_klass_list).
2289
 
    """
2290
 
    def condition(obj):
2291
 
        return isinstance(obj, klass_or_klass_list)
2292
 
    return condition
2293
 
 
2294
 
 
2295
 
def condition_id_in_list(id_list):
2296
 
    """Create a condition filter which verify that test's id in a list.
2297
 
    
2298
 
    :param id_list: A TestIdList object.
2299
 
    :return: A callable that returns True if the test's id appears in the list.
2300
 
    """
2301
 
    def condition(test):
2302
 
        return id_list.includes(test.id())
2303
 
    return condition
2304
 
 
2305
 
 
2306
 
def condition_id_startswith(starts):
2307
 
    """Create a condition filter verifying that test's id starts with a string.
2308
 
    
2309
 
    :param starts: A list of string.
2310
 
    :return: A callable that returns True if the test's id starts with one of 
2311
 
        the given strings.
2312
 
    """
2313
 
    def condition(test):
2314
 
        for start in starts:
2315
 
            if test.id().startswith(start):
2316
 
                return True
2317
 
        return False
2318
 
    return condition
2319
 
 
2320
 
 
2321
 
def exclude_tests_by_condition(suite, condition):
2322
 
    """Create a test suite which excludes some tests from suite.
2323
 
 
2324
 
    :param suite: The suite to get tests from.
2325
 
    :param condition: A callable whose result evaluates True when called with a
2326
 
        test case which should be excluded from the result.
2327
 
    :return: A suite which contains the tests found in suite that fail
2328
 
        condition.
2329
 
    """
2330
 
    result = []
2331
 
    for test in iter_suite_tests(suite):
2332
 
        if not condition(test):
2333
 
            result.append(test)
2334
 
    return TestUtil.TestSuite(result)
2335
 
 
2336
 
 
2337
 
def filter_suite_by_condition(suite, condition):
2338
 
    """Create a test suite by filtering another one.
2339
 
    
2340
 
    :param suite: The source suite.
2341
 
    :param condition: A callable whose result evaluates True when called with a
2342
 
        test case which should be included in the result.
2343
 
    :return: A suite which contains the tests found in suite that pass
2344
 
        condition.
2345
 
    """
2346
 
    result = []
2347
 
    for test in iter_suite_tests(suite):
2348
 
        if condition(test):
2349
 
            result.append(test)
2350
 
    return TestUtil.TestSuite(result)
2351
 
 
2352
 
 
2353
 
def filter_suite_by_re(suite, pattern):
2354
 
    """Create a test suite by filtering another one.
2355
 
    
2356
 
    :param suite:           the source suite
2357
 
    :param pattern:         pattern that names must match
2358
 
    :returns: the newly created suite
2359
 
    """
2360
 
    condition = condition_id_re(pattern)
2361
 
    result_suite = filter_suite_by_condition(suite, condition)
2362
 
    return result_suite
2363
 
 
2364
 
 
2365
 
def filter_suite_by_id_list(suite, test_id_list):
2366
 
    """Create a test suite by filtering another one.
2367
 
 
2368
 
    :param suite: The source suite.
2369
 
    :param test_id_list: A list of the test ids to keep as strings.
2370
 
    :returns: the newly created suite
2371
 
    """
2372
 
    condition = condition_id_in_list(test_id_list)
2373
 
    result_suite = filter_suite_by_condition(suite, condition)
2374
 
    return result_suite
2375
 
 
2376
 
 
2377
 
def filter_suite_by_id_startswith(suite, start):
2378
 
    """Create a test suite by filtering another one.
2379
 
 
2380
 
    :param suite: The source suite.
2381
 
    :param start: A list of string the test id must start with one of.
2382
 
    :returns: the newly created suite
2383
 
    """
2384
 
    condition = condition_id_startswith(start)
2385
 
    result_suite = filter_suite_by_condition(suite, condition)
2386
 
    return result_suite
2387
 
 
2388
 
 
2389
 
def exclude_tests_by_re(suite, pattern):
2390
 
    """Create a test suite which excludes some tests from suite.
2391
 
 
2392
 
    :param suite: The suite to get tests from.
2393
 
    :param pattern: A regular expression string. Test ids that match this
2394
 
        pattern will be excluded from the result.
2395
 
    :return: A TestSuite that contains all the tests from suite without the
2396
 
        tests that matched pattern. The order of tests is the same as it was in
2397
 
        suite.
2398
 
    """
2399
 
    return exclude_tests_by_condition(suite, condition_id_re(pattern))
2400
 
 
2401
 
 
2402
 
def preserve_input(something):
2403
 
    """A helper for performing test suite transformation chains.
2404
 
 
2405
 
    :param something: Anything you want to preserve.
2406
 
    :return: Something.
2407
 
    """
2408
 
    return something
2409
 
 
2410
 
 
2411
 
def randomize_suite(suite):
2412
 
    """Return a new TestSuite with suite's tests in random order.
2413
 
    
2414
 
    The tests in the input suite are flattened into a single suite in order to
2415
 
    accomplish this. Any nested TestSuites are removed to provide global
2416
 
    randomness.
2417
 
    """
2418
 
    tests = list(iter_suite_tests(suite))
2419
 
    random.shuffle(tests)
2420
 
    return TestUtil.TestSuite(tests)
2421
 
 
2422
 
 
2423
 
def split_suite_by_condition(suite, condition):
2424
 
    """Split a test suite into two by a condition.
2425
 
    
2426
 
    :param suite: The suite to split.
2427
 
    :param condition: The condition to match on. Tests that match this
2428
 
        condition are returned in the first test suite, ones that do not match
2429
 
        are in the second suite.
2430
 
    :return: A tuple of two test suites, where the first contains tests from
2431
 
        suite matching the condition, and the second contains the remainder
2432
 
        from suite. The order within each output suite is the same as it was in
2433
 
        suite.
2434
 
    """
2435
 
    matched = []
2436
 
    did_not_match = []
2437
 
    for test in iter_suite_tests(suite):
2438
 
        if condition(test):
2439
 
            matched.append(test)
2440
 
        else:
2441
 
            did_not_match.append(test)
2442
 
    return TestUtil.TestSuite(matched), TestUtil.TestSuite(did_not_match)
2443
 
 
2444
 
 
2445
 
def split_suite_by_re(suite, pattern):
2446
 
    """Split a test suite into two by a regular expression.
2447
 
    
2448
 
    :param suite: The suite to split.
2449
 
    :param pattern: A regular expression string. Test ids that match this
2450
 
        pattern will be in the first test suite returned, and the others in the
2451
 
        second test suite returned.
2452
 
    :return: A tuple of two test suites, where the first contains tests from
2453
 
        suite matching pattern, and the second contains the remainder from
2454
 
        suite. The order within each output suite is the same as it was in
2455
 
        suite.
2456
 
    """
2457
 
    return split_suite_by_condition(suite, condition_id_re(pattern))
 
2265
        if exclude_pattern is None or not exclude_re.search(test_id):
 
2266
            if filter_re.search(test_id):
 
2267
                first.append(test)
 
2268
            elif append_rest:
 
2269
                second.append(test)
 
2270
    if random_order:
 
2271
        random.shuffle(first)
 
2272
        random.shuffle(second)
 
2273
    return TestUtil.TestSuite(first + second)
2458
2274
 
2459
2275
 
2460
2276
def run_suite(suite, name='test', verbose=False, pattern=".*",
2464
2280
              list_only=False,
2465
2281
              random_seed=None,
2466
2282
              exclude_pattern=None,
2467
 
              strict=False):
 
2283
              strict=False,
 
2284
              ):
2468
2285
    TestCase._gather_lsprof_in_benchmarks = lsprof_timed
2469
2286
    if verbose:
2470
2287
        verbosity = 2
2494
2311
            (random_seed))
2495
2312
        random.seed(random_seed)
2496
2313
    # Customise the list of tests if requested
2497
 
    if exclude_pattern is not None:
2498
 
        suite = exclude_tests_by_re(suite, exclude_pattern)
2499
 
    if random_order:
2500
 
        order_changer = randomize_suite
2501
 
    else:
2502
 
        order_changer = preserve_input
2503
 
    if pattern != '.*' or random_order:
 
2314
    if pattern != '.*' or exclude_pattern is not None or random_order:
2504
2315
        if matching_tests_first:
2505
 
            suites = map(order_changer, split_suite_by_re(suite, pattern))
2506
 
            suite = TestUtil.TestSuite(suites)
 
2316
            suite = sort_suite_by_re(suite, pattern, exclude_pattern,
 
2317
                random_order)
2507
2318
        else:
2508
 
            suite = order_changer(filter_suite_by_re(suite, pattern))
2509
 
 
 
2319
            suite = filter_suite_by_re(suite, pattern, exclude_pattern,
 
2320
                random_order)
2510
2321
    result = runner.run(suite)
2511
2322
 
2512
2323
    if strict:
2515
2326
    return result.wasSuccessful()
2516
2327
 
2517
2328
 
2518
 
# Controlled by "bzr selftest -E=..." option
2519
 
selftest_debug_flags = set()
2520
 
 
2521
 
 
2522
2329
def selftest(verbose=False, pattern=".*", stop_on_failure=True,
2523
2330
             transport=None,
2524
2331
             test_suite_factory=None,
2529
2336
             random_seed=None,
2530
2337
             exclude_pattern=None,
2531
2338
             strict=False,
2532
 
             load_list=None,
2533
 
             debug_flags=None,
2534
 
             starting_with=None,
2535
2339
             ):
2536
2340
    """Run the whole test suite under the enhanced runner"""
2537
2341
    # XXX: Very ugly way to do this...
2545
2349
        transport = default_transport
2546
2350
    old_transport = default_transport
2547
2351
    default_transport = transport
2548
 
    global selftest_debug_flags
2549
 
    old_debug_flags = selftest_debug_flags
2550
 
    if debug_flags is not None:
2551
 
        selftest_debug_flags = set(debug_flags)
2552
2352
    try:
2553
 
        if load_list is None:
2554
 
            keep_only = None
2555
 
        else:
2556
 
            keep_only = load_test_id_list(load_list)
2557
2353
        if test_suite_factory is None:
2558
 
            suite = test_suite(keep_only, starting_with)
 
2354
            suite = test_suite()
2559
2355
        else:
2560
2356
            suite = test_suite_factory()
2561
2357
        return run_suite(suite, 'testbzr', verbose=verbose, pattern=pattern,
2570
2366
                     strict=strict)
2571
2367
    finally:
2572
2368
        default_transport = old_transport
2573
 
        selftest_debug_flags = old_debug_flags
2574
 
 
2575
 
 
2576
 
def load_test_id_list(file_name):
2577
 
    """Load a test id list from a text file.
2578
 
 
2579
 
    The format is one test id by line.  No special care is taken to impose
2580
 
    strict rules, these test ids are used to filter the test suite so a test id
2581
 
    that do not match an existing test will do no harm. This allows user to add
2582
 
    comments, leave blank lines, etc.
2583
 
    """
2584
 
    test_list = []
2585
 
    try:
2586
 
        ftest = open(file_name, 'rt')
2587
 
    except IOError, e:
2588
 
        if e.errno != errno.ENOENT:
2589
 
            raise
2590
 
        else:
2591
 
            raise errors.NoSuchFile(file_name)
2592
 
 
2593
 
    for test_name in ftest.readlines():
2594
 
        test_list.append(test_name.strip())
2595
 
    ftest.close()
2596
 
    return test_list
2597
 
 
2598
 
 
2599
 
def suite_matches_id_list(test_suite, id_list):
2600
 
    """Warns about tests not appearing or appearing more than once.
2601
 
 
2602
 
    :param test_suite: A TestSuite object.
2603
 
    :param test_id_list: The list of test ids that should be found in 
2604
 
         test_suite.
2605
 
 
2606
 
    :return: (absents, duplicates) absents is a list containing the test found
2607
 
        in id_list but not in test_suite, duplicates is a list containing the
2608
 
        test found multiple times in test_suite.
2609
 
 
2610
 
    When using a prefined test id list, it may occurs that some tests do not
2611
 
    exist anymore or that some tests use the same id. This function warns the
2612
 
    tester about potential problems in his workflow (test lists are volatile)
2613
 
    or in the test suite itself (using the same id for several tests does not
2614
 
    help to localize defects).
2615
 
    """
2616
 
    # Build a dict counting id occurrences
2617
 
    tests = dict()
2618
 
    for test in iter_suite_tests(test_suite):
2619
 
        id = test.id()
2620
 
        tests[id] = tests.get(id, 0) + 1
2621
 
 
2622
 
    not_found = []
2623
 
    duplicates = []
2624
 
    for id in id_list:
2625
 
        occurs = tests.get(id, 0)
2626
 
        if not occurs:
2627
 
            not_found.append(id)
2628
 
        elif occurs > 1:
2629
 
            duplicates.append(id)
2630
 
 
2631
 
    return not_found, duplicates
2632
 
 
2633
 
 
2634
 
class TestIdList(object):
2635
 
    """Test id list to filter a test suite.
2636
 
 
2637
 
    Relying on the assumption that test ids are built as:
2638
 
    <module>[.<class>.<method>][(<param>+)], <module> being in python dotted
2639
 
    notation, this class offers methods to :
2640
 
    - avoid building a test suite for modules not refered to in the test list,
2641
 
    - keep only the tests listed from the module test suite.
2642
 
    """
2643
 
 
2644
 
    def __init__(self, test_id_list):
2645
 
        # When a test suite needs to be filtered against us we compare test ids
2646
 
        # for equality, so a simple dict offers a quick and simple solution.
2647
 
        self.tests = dict().fromkeys(test_id_list, True)
2648
 
 
2649
 
        # While unittest.TestCase have ids like:
2650
 
        # <module>.<class>.<method>[(<param+)],
2651
 
        # doctest.DocTestCase can have ids like:
2652
 
        # <module>
2653
 
        # <module>.<class>
2654
 
        # <module>.<function>
2655
 
        # <module>.<class>.<method>
2656
 
 
2657
 
        # Since we can't predict a test class from its name only, we settle on
2658
 
        # a simple constraint: a test id always begins with its module name.
2659
 
 
2660
 
        modules = {}
2661
 
        for test_id in test_id_list:
2662
 
            parts = test_id.split('.')
2663
 
            mod_name = parts.pop(0)
2664
 
            modules[mod_name] = True
2665
 
            for part in parts:
2666
 
                mod_name += '.' + part
2667
 
                modules[mod_name] = True
2668
 
        self.modules = modules
2669
 
 
2670
 
    def refers_to(self, module_name):
2671
 
        """Is there tests for the module or one of its sub modules."""
2672
 
        return self.modules.has_key(module_name)
2673
 
 
2674
 
    def includes(self, test_id):
2675
 
        return self.tests.has_key(test_id)
2676
 
 
2677
 
 
2678
 
class TestPrefixAliasRegistry(registry.Registry):
2679
 
    """A registry for test prefix aliases.
2680
 
 
2681
 
    This helps implement shorcuts for the --starting-with selftest
2682
 
    option. Overriding existing prefixes is not allowed but not fatal (a
2683
 
    warning will be emitted).
2684
 
    """
2685
 
 
2686
 
    def register(self, key, obj, help=None, info=None,
2687
 
                 override_existing=False):
2688
 
        """See Registry.register.
2689
 
 
2690
 
        Trying to override an existing alias causes a warning to be emitted,
2691
 
        not a fatal execption.
2692
 
        """
2693
 
        try:
2694
 
            super(TestPrefixAliasRegistry, self).register(
2695
 
                key, obj, help=help, info=info, override_existing=False)
2696
 
        except KeyError:
2697
 
            actual = self.get(key)
2698
 
            note('Test prefix alias %s is already used for %s, ignoring %s'
2699
 
                 % (key, actual, obj))
2700
 
 
2701
 
    def resolve_alias(self, id_start):
2702
 
        """Replace the alias by the prefix in the given string.
2703
 
 
2704
 
        Using an unknown prefix is an error to help catching typos.
2705
 
        """
2706
 
        parts = id_start.split('.')
2707
 
        try:
2708
 
            parts[0] = self.get(parts[0])
2709
 
        except KeyError:
2710
 
            raise errors.BzrCommandError(
2711
 
                '%s is not a known test prefix alias' % parts[0])
2712
 
        return '.'.join(parts)
2713
 
 
2714
 
 
2715
 
test_prefix_alias_registry = TestPrefixAliasRegistry()
2716
 
"""Registry of test prefix aliases."""
2717
 
 
2718
 
 
2719
 
# This alias allows to detect typos ('bzrlin.') by making all valid test ids
2720
 
# appear prefixed ('bzrlib.' is "replaced" by 'bzrlib.').
2721
 
test_prefix_alias_registry.register('bzrlib', 'bzrlib')
2722
 
 
2723
 
# Obvious higest levels prefixes, feel free to add your own via a plugin
2724
 
test_prefix_alias_registry.register('bd', 'bzrlib.doc')
2725
 
test_prefix_alias_registry.register('bu', 'bzrlib.utils')
2726
 
test_prefix_alias_registry.register('bt', 'bzrlib.tests')
2727
 
test_prefix_alias_registry.register('bb', 'bzrlib.tests.blackbox')
2728
 
test_prefix_alias_registry.register('bp', 'bzrlib.plugins')
2729
 
 
2730
 
 
2731
 
def test_suite(keep_only=None, starting_with=None):
 
2369
 
 
2370
 
 
2371
def test_suite():
2732
2372
    """Build and return TestSuite for the whole of bzrlib.
2733
 
 
2734
 
    :param keep_only: A list of test ids limiting the suite returned.
2735
 
 
2736
 
    :param starting_with: An id limiting the suite returned to the tests
2737
 
         starting with it.
2738
 
 
 
2373
    
2739
2374
    This function can be replaced if you need to change the default test
2740
2375
    suite on a global basis, but it is not encouraged.
2741
2376
    """
2742
2377
    testmod_names = [
2743
 
                   'bzrlib.doc',
2744
2378
                   'bzrlib.util.tests.test_bencode',
2745
 
                   'bzrlib.tests.blackbox',
2746
 
                   'bzrlib.tests.branch_implementations',
2747
 
                   'bzrlib.tests.bzrdir_implementations',
2748
 
                   'bzrlib.tests.commands',
2749
 
                   'bzrlib.tests.inventory_implementations',
2750
 
                   'bzrlib.tests.interrepository_implementations',
2751
 
                   'bzrlib.tests.intertree_implementations',
2752
 
                   'bzrlib.tests.per_lock',
2753
 
                   'bzrlib.tests.repository_implementations',
2754
2379
                   'bzrlib.tests.test__dirstate_helpers',
2755
2380
                   'bzrlib.tests.test_ancestry',
2756
2381
                   'bzrlib.tests.test_annotate',
2760
2385
                   'bzrlib.tests.test_bisect_multi',
2761
2386
                   'bzrlib.tests.test_branch',
2762
2387
                   'bzrlib.tests.test_branchbuilder',
2763
 
                   'bzrlib.tests.test_btree_index',
2764
2388
                   'bzrlib.tests.test_bugtracker',
2765
2389
                   'bzrlib.tests.test_bundle',
2766
2390
                   'bzrlib.tests.test_bzrdir',
2767
2391
                   'bzrlib.tests.test_cache_utf8',
2768
 
                   'bzrlib.tests.test_chunk_writer',
2769
2392
                   'bzrlib.tests.test_commands',
2770
2393
                   'bzrlib.tests.test_commit',
2771
2394
                   'bzrlib.tests.test_commit_merge',
2777
2400
                   'bzrlib.tests.test_deprecated_graph',
2778
2401
                   'bzrlib.tests.test_diff',
2779
2402
                   'bzrlib.tests.test_dirstate',
2780
 
                   'bzrlib.tests.test_directory_service',
2781
2403
                   'bzrlib.tests.test_email_message',
2782
2404
                   'bzrlib.tests.test_errors',
 
2405
                   'bzrlib.tests.test_escaped_store',
2783
2406
                   'bzrlib.tests.test_extract',
2784
2407
                   'bzrlib.tests.test_fetch',
2785
2408
                   'bzrlib.tests.test_ftp_transport',
2792
2415
                   'bzrlib.tests.test_help',
2793
2416
                   'bzrlib.tests.test_hooks',
2794
2417
                   'bzrlib.tests.test_http',
2795
 
                   'bzrlib.tests.test_http_implementations',
2796
2418
                   'bzrlib.tests.test_http_response',
2797
2419
                   'bzrlib.tests.test_https_ca_bundle',
2798
2420
                   'bzrlib.tests.test_identitymap',
2807
2429
                   'bzrlib.tests.test_lockable_files',
2808
2430
                   'bzrlib.tests.test_log',
2809
2431
                   'bzrlib.tests.test_lsprof',
2810
 
                   'bzrlib.tests.test_lru_cache',
2811
2432
                   'bzrlib.tests.test_mail_client',
2812
2433
                   'bzrlib.tests.test_memorytree',
2813
2434
                   'bzrlib.tests.test_merge',
2817
2438
                   'bzrlib.tests.test_missing',
2818
2439
                   'bzrlib.tests.test_msgeditor',
2819
2440
                   'bzrlib.tests.test_multiparent',
2820
 
                   'bzrlib.tests.test_mutabletree',
2821
2441
                   'bzrlib.tests.test_nonascii',
2822
2442
                   'bzrlib.tests.test_options',
2823
2443
                   'bzrlib.tests.test_osutils',
2824
2444
                   'bzrlib.tests.test_osutils_encodings',
2825
2445
                   'bzrlib.tests.test_pack',
2826
 
                   'bzrlib.tests.test_pack_repository',
2827
2446
                   'bzrlib.tests.test_patch',
2828
2447
                   'bzrlib.tests.test_patches',
2829
2448
                   'bzrlib.tests.test_permissions',
2830
2449
                   'bzrlib.tests.test_plugins',
2831
2450
                   'bzrlib.tests.test_progress',
2832
 
                   'bzrlib.tests.test_read_bundle',
2833
2451
                   'bzrlib.tests.test_reconfigure',
2834
2452
                   'bzrlib.tests.test_reconcile',
2835
2453
                   'bzrlib.tests.test_registry',
2836
2454
                   'bzrlib.tests.test_remote',
2837
2455
                   'bzrlib.tests.test_repository',
2838
 
                   'bzrlib.tests.per_repository_reference',
2839
2456
                   'bzrlib.tests.test_revert',
2840
2457
                   'bzrlib.tests.test_revision',
2841
 
                   'bzrlib.tests.test_revisionspec',
 
2458
                   'bzrlib.tests.test_revisionnamespaces',
2842
2459
                   'bzrlib.tests.test_revisiontree',
2843
2460
                   'bzrlib.tests.test_rio',
2844
 
                   'bzrlib.tests.test_rules',
2845
2461
                   'bzrlib.tests.test_sampler',
2846
2462
                   'bzrlib.tests.test_selftest',
2847
2463
                   'bzrlib.tests.test_setup',
2856
2472
                   'bzrlib.tests.test_store',
2857
2473
                   'bzrlib.tests.test_strace',
2858
2474
                   'bzrlib.tests.test_subsume',
2859
 
                   'bzrlib.tests.test_switch',
2860
2475
                   'bzrlib.tests.test_symbol_versioning',
2861
2476
                   'bzrlib.tests.test_tag',
2862
2477
                   'bzrlib.tests.test_testament',
2867
2482
                   'bzrlib.tests.test_transactions',
2868
2483
                   'bzrlib.tests.test_transform',
2869
2484
                   'bzrlib.tests.test_transport',
2870
 
                   'bzrlib.tests.test_transport_implementations',
2871
 
                   'bzrlib.tests.test_transport_log',
2872
2485
                   'bzrlib.tests.test_tree',
2873
2486
                   'bzrlib.tests.test_treebuilder',
2874
2487
                   'bzrlib.tests.test_tsort',
2875
2488
                   'bzrlib.tests.test_tuned_gzip',
2876
2489
                   'bzrlib.tests.test_ui',
2877
 
                   'bzrlib.tests.test_uncommit',
2878
2490
                   'bzrlib.tests.test_upgrade',
2879
 
                   'bzrlib.tests.test_upgrade_stacked',
2880
2491
                   'bzrlib.tests.test_urlutils',
2881
2492
                   'bzrlib.tests.test_versionedfile',
2882
2493
                   'bzrlib.tests.test_version',
2883
2494
                   'bzrlib.tests.test_version_info',
2884
 
                   'bzrlib.tests.test__walkdirs_win32',
2885
2495
                   'bzrlib.tests.test_weave',
2886
2496
                   'bzrlib.tests.test_whitebox',
2887
2497
                   'bzrlib.tests.test_win32utils',
2889
2499
                   'bzrlib.tests.test_workingtree_4',
2890
2500
                   'bzrlib.tests.test_wsgi',
2891
2501
                   'bzrlib.tests.test_xml',
2892
 
                   'bzrlib.tests.tree_implementations',
2893
 
                   'bzrlib.tests.workingtree_implementations',
2894
2502
                   ]
2895
 
 
 
2503
    test_transport_implementations = [
 
2504
        'bzrlib.tests.test_transport_implementations',
 
2505
        'bzrlib.tests.test_read_bundle',
 
2506
        ]
 
2507
    suite = TestUtil.TestSuite()
2896
2508
    loader = TestUtil.TestLoader()
2897
 
 
2898
 
    if starting_with:
2899
 
        starting_with = [test_prefix_alias_registry.resolve_alias(start)
2900
 
                         for start in starting_with]
2901
 
        # We take precedence over keep_only because *at loading time* using
2902
 
        # both options means we will load less tests for the same final result.
2903
 
        def interesting_module(name):
2904
 
            for start in starting_with:
2905
 
                if (
2906
 
                    # Either the module name starts with the specified string
2907
 
                    name.startswith(start)
2908
 
                    # or it may contain tests starting with the specified string
2909
 
                    or start.startswith(name)
2910
 
                    ):
2911
 
                    return True
2912
 
            return False
2913
 
        loader = TestUtil.FilteredByModuleTestLoader(interesting_module)
2914
 
 
2915
 
    elif keep_only is not None:
2916
 
        id_filter = TestIdList(keep_only)
2917
 
        loader = TestUtil.FilteredByModuleTestLoader(id_filter.refers_to)
2918
 
        def interesting_module(name):
2919
 
            return id_filter.refers_to(name)
2920
 
 
2921
 
    else:
2922
 
        loader = TestUtil.TestLoader()
2923
 
        def interesting_module(name):
2924
 
            # No filtering, all modules are interesting
2925
 
            return True
2926
 
 
2927
 
    suite = loader.suiteClass()
2928
 
 
2929
 
    # modules building their suite with loadTestsFromModuleNames
2930
2509
    suite.addTest(loader.loadTestsFromModuleNames(testmod_names))
2931
 
 
2932
 
    modules_to_doctest = [
2933
 
        'bzrlib',
2934
 
        'bzrlib.errors',
2935
 
        'bzrlib.export',
2936
 
        'bzrlib.inventory',
2937
 
        'bzrlib.iterablefile',
2938
 
        'bzrlib.lockdir',
2939
 
        'bzrlib.merge3',
2940
 
        'bzrlib.option',
2941
 
        'bzrlib.store',
2942
 
        'bzrlib.symbol_versioning',
2943
 
        'bzrlib.tests',
2944
 
        'bzrlib.timestamp',
2945
 
        'bzrlib.version_info_formats.format_custom',
2946
 
        ]
2947
 
 
2948
 
    for mod in modules_to_doctest:
2949
 
        if not interesting_module(mod):
2950
 
            # No tests to keep here, move along
2951
 
            continue
 
2510
    from bzrlib.tests.test_transport_implementations import TransportTestProviderAdapter
 
2511
    adapter = TransportTestProviderAdapter()
 
2512
    adapt_modules(test_transport_implementations, adapter, loader, suite)
 
2513
    for package in packages_to_test():
 
2514
        suite.addTest(package.test_suite())
 
2515
    for m in MODULES_TO_TEST:
 
2516
        suite.addTest(loader.loadTestsFromModule(m))
 
2517
    for m in MODULES_TO_DOCTEST:
2952
2518
        try:
2953
 
            doc_suite = doctest.DocTestSuite(mod)
 
2519
            suite.addTest(doctest.DocTestSuite(m))
2954
2520
        except ValueError, e:
2955
 
            print '**failed to get doctest for: %s\n%s' % (mod, e)
 
2521
            print '**failed to get doctest for: %s\n%s' %(m,e)
2956
2522
            raise
2957
 
        suite.addTest(doc_suite)
2958
 
 
2959
2523
    default_encoding = sys.getdefaultencoding()
2960
2524
    for name, plugin in bzrlib.plugin.plugins().items():
2961
 
        if not interesting_module(plugin.module.__name__):
2962
 
            continue
2963
 
        plugin_suite = plugin.test_suite()
2964
 
        # We used to catch ImportError here and turn it into just a warning,
2965
 
        # but really if you don't have --no-plugins this should be a failure.
2966
 
        # mbp 20080213 - see http://bugs.launchpad.net/bugs/189771
2967
 
        if plugin_suite is None:
2968
 
            plugin_suite = plugin.load_plugin_tests(loader)
2969
 
        if plugin_suite is not None:
2970
 
            suite.addTest(plugin_suite)
 
2525
        try:
 
2526
            plugin_suite = plugin.test_suite()
 
2527
        except ImportError, e:
 
2528
            bzrlib.trace.warning(
 
2529
                'Unable to test plugin "%s": %s', name, e)
 
2530
        else:
 
2531
            if plugin_suite is not None:
 
2532
                suite.addTest(plugin_suite)
2971
2533
        if default_encoding != sys.getdefaultencoding():
2972
2534
            bzrlib.trace.warning(
2973
2535
                'Plugin "%s" tried to reset default encoding to: %s', name,
2974
2536
                sys.getdefaultencoding())
2975
2537
            reload(sys)
2976
2538
            sys.setdefaultencoding(default_encoding)
2977
 
 
2978
 
    if starting_with:
2979
 
        suite = filter_suite_by_id_startswith(suite, starting_with)
2980
 
 
2981
 
    if keep_only is not None:
2982
 
        # Now that the referred modules have loaded their tests, keep only the
2983
 
        # requested ones.
2984
 
        suite = filter_suite_by_id_list(suite, id_filter)
2985
 
        # Do some sanity checks on the id_list filtering
2986
 
        not_found, duplicates = suite_matches_id_list(suite, keep_only)
2987
 
        if starting_with:
2988
 
            # The tester has used both keep_only and starting_with, so he is
2989
 
            # already aware that some tests are excluded from the list, there
2990
 
            # is no need to tell him which.
2991
 
            pass
2992
 
        else:
2993
 
            # Some tests mentioned in the list are not in the test suite. The
2994
 
            # list may be out of date, report to the tester.
2995
 
            for id in not_found:
2996
 
                bzrlib.trace.warning('"%s" not found in the test suite', id)
2997
 
        for id in duplicates:
2998
 
            bzrlib.trace.warning('"%s" is used as an id by several tests', id)
2999
 
 
3000
2539
    return suite
3001
2540
 
3002
2541
 
3003
 
def multiply_tests_from_modules(module_name_list, scenario_iter, loader=None):
 
2542
def multiply_tests_from_modules(module_name_list, scenario_iter):
3004
2543
    """Adapt all tests in some given modules to given scenarios.
3005
2544
 
3006
2545
    This is the recommended public interface for test parameterization.
3012
2551
        modules.
3013
2552
    :param scenario_iter: Iterable of pairs of (scenario_name, 
3014
2553
        scenario_param_dict).
3015
 
    :param loader: If provided, will be used instead of a new 
3016
 
        bzrlib.tests.TestLoader() instance.
3017
2554
 
3018
2555
    This returns a new TestSuite containing the cross product of
3019
2556
    all the tests in all the modules, each repeated for each scenario.
3035
2572
    >>> tests[1].param
3036
2573
    2
3037
2574
    """
3038
 
    # XXX: Isn't load_tests() a better way to provide the same functionality
3039
 
    # without forcing a predefined TestScenarioApplier ? --vila 080215
3040
 
    if loader is None:
3041
 
        loader = TestUtil.TestLoader()
3042
 
 
3043
 
    suite = loader.suiteClass()
3044
 
 
 
2575
    loader = TestLoader()
 
2576
    suite = TestSuite()
3045
2577
    adapter = TestScenarioApplier()
3046
2578
    adapter.scenarios = list(scenario_iter)
3047
2579
    adapt_modules(module_name_list, adapter, loader, suite)
3065
2597
 
3066
2598
def adapt_modules(mods_list, adapter, loader, suite):
3067
2599
    """Adapt the modules in mods_list using adapter and add to suite."""
3068
 
    tests = loader.loadTestsFromModuleNames(mods_list)
3069
 
    adapt_tests(tests, adapter, suite)
3070
 
 
3071
 
 
3072
 
def adapt_tests(tests_list, adapter, suite):
3073
 
    """Adapt the tests in tests_list using adapter and add to suite."""
3074
 
    for test in iter_suite_tests(tests_list):
 
2600
    for test in iter_suite_tests(loader.loadTestsFromModuleNames(mods_list)):
3075
2601
        suite.addTests(adapter.adapt(test))
3076
2602
 
3077
2603
 
3137
2663
SymlinkFeature = _SymlinkFeature()
3138
2664
 
3139
2665
 
3140
 
class _HardlinkFeature(Feature):
3141
 
 
3142
 
    def _probe(self):
3143
 
        return osutils.has_hardlinks()
3144
 
 
3145
 
    def feature_name(self):
3146
 
        return 'hardlinks'
3147
 
 
3148
 
HardlinkFeature = _HardlinkFeature()
3149
 
 
3150
 
 
3151
 
class _OsFifoFeature(Feature):
3152
 
 
3153
 
    def _probe(self):
3154
 
        return getattr(os, 'mkfifo', None)
3155
 
 
3156
 
    def feature_name(self):
3157
 
        return 'filesystem fifos'
3158
 
 
3159
 
OsFifoFeature = _OsFifoFeature()
3160
 
 
3161
 
 
3162
 
class _UnicodeFilenameFeature(Feature):
3163
 
    """Does the filesystem support Unicode filenames?"""
3164
 
 
3165
 
    def _probe(self):
3166
 
        try:
3167
 
            # Check for character combinations unlikely to be covered by any
3168
 
            # single non-unicode encoding. We use the characters
3169
 
            # - greek small letter alpha (U+03B1) and
3170
 
            # - braille pattern dots-123456 (U+283F).
3171
 
            os.stat(u'\u03b1\u283f')
3172
 
        except UnicodeEncodeError:
3173
 
            return False
3174
 
        except (IOError, OSError):
3175
 
            # The filesystem allows the Unicode filename but the file doesn't
3176
 
            # exist.
3177
 
            return True
3178
 
        else:
3179
 
            # The filesystem allows the Unicode filename and the file exists,
3180
 
            # for some reason.
3181
 
            return True
3182
 
 
3183
 
UnicodeFilenameFeature = _UnicodeFilenameFeature()
3184
 
 
3185
 
 
3186
2666
class TestScenarioApplier(object):
3187
2667
    """A tool to apply scenarios to tests."""
3188
2668
 
3263
2743
        return 'FTPServer'
3264
2744
 
3265
2745
FTPServerFeature = _FTPServerFeature()
3266
 
 
3267
 
 
3268
 
class _UnicodeFilename(Feature):
3269
 
    """Does the filesystem support Unicode filenames?"""
3270
 
 
3271
 
    def _probe(self):
3272
 
        try:
3273
 
            os.stat(u'\u03b1')
3274
 
        except UnicodeEncodeError:
3275
 
            return False
3276
 
        except (IOError, OSError):
3277
 
            # The filesystem allows the Unicode filename but the file doesn't
3278
 
            # exist.
3279
 
            return True
3280
 
        else:
3281
 
            # The filesystem allows the Unicode filename and the file exists,
3282
 
            # for some reason.
3283
 
            return True
3284
 
 
3285
 
UnicodeFilename = _UnicodeFilename()
3286
 
 
3287
 
 
3288
 
class _UTF8Filesystem(Feature):
3289
 
    """Is the filesystem UTF-8?"""
3290
 
 
3291
 
    def _probe(self):
3292
 
        if osutils._fs_enc.upper() in ('UTF-8', 'UTF8'):
3293
 
            return True
3294
 
        return False
3295
 
 
3296
 
UTF8Filesystem = _UTF8Filesystem()
3297
 
 
3298
 
 
3299
 
class _CaseInsensitiveFilesystemFeature(Feature):
3300
 
    """Check if underlying filesystem is case-insensitive
3301
 
    (e.g. on Windows, Cygwin, MacOS)
3302
 
    """
3303
 
 
3304
 
    def _probe(self):
3305
 
        if TestCaseWithMemoryTransport.TEST_ROOT is None:
3306
 
            root = osutils.mkdtemp(prefix='testbzr-', suffix='.tmp')
3307
 
            TestCaseWithMemoryTransport.TEST_ROOT = root
3308
 
        else:
3309
 
            root = TestCaseWithMemoryTransport.TEST_ROOT
3310
 
        tdir = osutils.mkdtemp(prefix='case-sensitive-probe-', suffix='',
3311
 
            dir=root)
3312
 
        name_a = osutils.pathjoin(tdir, 'a')
3313
 
        name_A = osutils.pathjoin(tdir, 'A')
3314
 
        os.mkdir(name_a)
3315
 
        result = osutils.isdir(name_A)
3316
 
        _rmtree_temp_dir(tdir)
3317
 
        return result
3318
 
 
3319
 
    def feature_name(self):
3320
 
        return 'case-insensitive filesystem'
3321
 
 
3322
 
CaseInsensitiveFilesystemFeature = _CaseInsensitiveFilesystemFeature()